source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(wp_src, wp_dst, observer, adaptation): m_sharp = color_constants.ADAPTATION_MATRICES[adaptation] if isinstance(wp_src, str): orig_illum = wp_src.lower() wp_src = color_constants.ILLUMINANTS[observer][orig_illum] elif hasattr(wp_src, '__iter__'): wp_src = wp_src if isinstance(wp_dst, str): targ_illum = wp_dst.lower() wp_dst = color_constants.ILLUMINANTS[observer][targ_illum] elif hasattr(wp_dst, '__iter__'): wp_dst = wp_dst rgb_src = numpy.dot(m_sharp, wp_src) rgb_dst = numpy.dot(m_sharp, wp_dst) m_rat = numpy.diag(rgb_dst / rgb_src) m_xfm = numpy.dot(numpy.dot(pinv(m_sharp), m_rat), m_sharp) return m_xfm
get_adaptation_matrix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(wp_src, wp_dst, observer, adaptation):\n m_sharp = color_constants.ADAPTATION_MATRICES[adaptation]\n if isinstance(wp_src, str):\n orig_illum = wp_src.lower()\n wp_src = color_constants.ILLUMINANTS[observer][orig_illum]\n elif hasattr(wp_src, '__iter__'):\n wp_src = wp_src\n if isinstance(wp_dst, str):\n targ_illum = wp_dst.lower()\n wp_dst = color_constants.ILLUMINANTS[observer][targ_illum]\n elif hasattr(wp_dst, '__iter__'):\n wp_dst = wp_dst\n rgb_src = numpy.dot(m_sharp, wp_src)\n rgb_dst = numpy.dot(m_sharp, wp_dst)\n m_rat = numpy.diag(rgb_dst / rgb_src)\n m_xfm = numpy.dot(numpy.dot(pinv(m_sharp), m_rat), m_sharp)\n return m_xfm\n", "role": "user" }, { "content": "get_adaptation_matrix", "role": "assistant" } ]
def x(val_x, val_y, val_z, orig_illum, targ_illum, observer='2', adaptation ='bradford'): adaptation = adaptation.lower() if isinstance(orig_illum, str): orig_illum = orig_illum.lower() wp_src = color_constants.ILLUMINANTS[observer][orig_illum] elif hasattr(orig_illum, '__iter__'): wp_src = orig_illum if isinstance(targ_illum, str): targ_illum = targ_illum.lower() wp_dst = color_constants.ILLUMINANTS[observer][targ_illum] elif hasattr(targ_illum, '__iter__'): wp_dst = targ_illum logger.debug(' \\* Applying adaptation matrix: %s', adaptation) transform_matrix = _get_adaptation_matrix(wp_src, wp_dst, observer, adaptation) XYZ_matrix = numpy.array((val_x, val_y, val_z)) result_matrix = numpy.dot(transform_matrix, XYZ_matrix) return result_matrix[0], result_matrix[1], result_matrix[2]
apply_chromatic_adaptation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(val_x, val_y, val_z, orig_illum, targ_illum, observer='2', adaptation\n ='bradford'):\n adaptation = adaptation.lower()\n if isinstance(orig_illum, str):\n orig_illum = orig_illum.lower()\n wp_src = color_constants.ILLUMINANTS[observer][orig_illum]\n elif hasattr(orig_illum, '__iter__'):\n wp_src = orig_illum\n if isinstance(targ_illum, str):\n targ_illum = targ_illum.lower()\n wp_dst = color_constants.ILLUMINANTS[observer][targ_illum]\n elif hasattr(targ_illum, '__iter__'):\n wp_dst = targ_illum\n logger.debug(' \\\\* Applying adaptation matrix: %s', adaptation)\n transform_matrix = _get_adaptation_matrix(wp_src, wp_dst, observer,\n adaptation)\n XYZ_matrix = numpy.array((val_x, val_y, val_z))\n result_matrix = numpy.dot(transform_matrix, XYZ_matrix)\n return result_matrix[0], result_matrix[1], result_matrix[2]\n", "role": "user" }, { "content": "apply_chromatic_adaptation", "role": "assistant" } ]
def x(color, targ_illum, adaptation='bradford'): xyz_x = color.xyz_x xyz_y = color.xyz_y xyz_z = color.xyz_z orig_illum = color.illuminant targ_illum = targ_illum.lower() observer = color.observer adaptation = adaptation.lower() color.xyz_x, color.xyz_y, color.xyz_z = apply_chromatic_adaptation(xyz_x, xyz_y, xyz_z, orig_illum, targ_illum, observer=observer, adaptation =adaptation) color.set_illuminant(targ_illum) return color
apply_chromatic_adaptation_on_color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(color, targ_illum, adaptation='bradford'):\n xyz_x = color.xyz_x\n xyz_y = color.xyz_y\n xyz_z = color.xyz_z\n orig_illum = color.illuminant\n targ_illum = targ_illum.lower()\n observer = color.observer\n adaptation = adaptation.lower()\n color.xyz_x, color.xyz_y, color.xyz_z = apply_chromatic_adaptation(xyz_x,\n xyz_y, xyz_z, orig_illum, targ_illum, observer=observer, adaptation\n =adaptation)\n color.set_illuminant(targ_illum)\n return color\n", "role": "user" }, { "content": "apply_chromatic_adaptation_on_color", "role": "assistant" } ]
def x(): print('=== Simple Example: Lab->XYZ ===') lab = LabColor(0.903, 16.296, -2.22) print(lab) xyz = convert_color(lab, XYZColor) print(xyz) print('=== End Example ===\n')
example_lab_to_xyz
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n print('=== Simple Example: Lab->XYZ ===')\n lab = LabColor(0.903, 16.296, -2.22)\n print(lab)\n xyz = convert_color(lab, XYZColor)\n print(xyz)\n print('=== End Example ===\\n')\n", "role": "user" }, { "content": "example_lab_to_xyz", "role": "assistant" } ]
def x(): print('=== Complex Example: LCHab->LCHuv ===') lchab = LCHabColor(0.903, 16.447, 352.252) print(lchab) lchuv = convert_color(lchab, LCHuvColor) print(lchuv) print('=== End Example ===\n')
example_lchab_to_lchuv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n print('=== Complex Example: LCHab->LCHuv ===')\n lchab = LCHabColor(0.903, 16.447, 352.252)\n print(lchab)\n lchuv = convert_color(lchab, LCHuvColor)\n print(lchuv)\n print('=== End Example ===\\n')\n", "role": "user" }, { "content": "example_lchab_to_lchuv", "role": "assistant" } ]
def x(): print('=== RGB Example: Lab->RGB ===') lab = LabColor(0.903, 16.296, -2.217) print(lab) rgb = convert_color(lab, sRGBColor) print(rgb) print('=== End Example ===\n')
example_lab_to_rgb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n print('=== RGB Example: Lab->RGB ===')\n lab = LabColor(0.903, 16.296, -2.217)\n print(lab)\n rgb = convert_color(lab, sRGBColor)\n print(rgb)\n print('=== End Example ===\\n')\n", "role": "user" }, { "content": "example_lab_to_rgb", "role": "assistant" } ]
def x(): print('=== RGB Example: RGB->XYZ ===') rgb = sRGBColor(120, 130, 140) print(rgb) xyz = convert_color(rgb, XYZColor, target_illuminant='D50') print(xyz) print('=== End Example ===\n')
example_rgb_to_xyz
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n print('=== RGB Example: RGB->XYZ ===')\n rgb = sRGBColor(120, 130, 140)\n print(rgb)\n xyz = convert_color(rgb, XYZColor, target_illuminant='D50')\n print(xyz)\n print('=== End Example ===\\n')\n", "role": "user" }, { "content": "example_rgb_to_xyz", "role": "assistant" } ]
def x(): print('=== Example: Spectral->XYZ ===') spc = SpectralColor(observer='2', illuminant='d50', spec_380nm=0.06, spec_390nm=0.06, spec_400nm=0.0641, spec_410nm=0.0654, spec_420nm= 0.0645, spec_430nm=0.0605, spec_440nm=0.0562, spec_450nm=0.0543, spec_460nm=0.0537, spec_470nm=0.0541, spec_480nm=0.0559, spec_490nm =0.0603, spec_500nm=0.0651, spec_510nm=0.068, spec_520nm=0.0705, spec_530nm=0.0736, spec_540nm=0.0772, spec_550nm=0.0809, spec_560nm =0.087, spec_570nm=0.099, spec_580nm=0.1128, spec_590nm=0.1251, spec_600nm=0.136, spec_610nm=0.1439, spec_620nm=0.1511, spec_630nm= 0.159, spec_640nm=0.1688, spec_650nm=0.1828, spec_660nm=0.1996, spec_670nm=0.2187, spec_680nm=0.2397, spec_690nm=0.2618, spec_700nm =0.2852, spec_710nm=0.25, spec_720nm=0.24, spec_730nm=0.23) xyz = convert_color(spc, XYZColor) print(xyz) print('=== End Example ===\n')
example_spectral_to_xyz
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n print('=== Example: Spectral->XYZ ===')\n spc = SpectralColor(observer='2', illuminant='d50', spec_380nm=0.06,\n spec_390nm=0.06, spec_400nm=0.0641, spec_410nm=0.0654, spec_420nm=\n 0.0645, spec_430nm=0.0605, spec_440nm=0.0562, spec_450nm=0.0543,\n spec_460nm=0.0537, spec_470nm=0.0541, spec_480nm=0.0559, spec_490nm\n =0.0603, spec_500nm=0.0651, spec_510nm=0.068, spec_520nm=0.0705,\n spec_530nm=0.0736, spec_540nm=0.0772, spec_550nm=0.0809, spec_560nm\n =0.087, spec_570nm=0.099, spec_580nm=0.1128, spec_590nm=0.1251,\n spec_600nm=0.136, spec_610nm=0.1439, spec_620nm=0.1511, spec_630nm=\n 0.159, spec_640nm=0.1688, spec_650nm=0.1828, spec_660nm=0.1996,\n spec_670nm=0.2187, spec_680nm=0.2397, spec_690nm=0.2618, spec_700nm\n =0.2852, spec_710nm=0.25, spec_720nm=0.24, spec_730nm=0.23)\n xyz = convert_color(spc, XYZColor)\n print(xyz)\n print('=== End Example ===\\n')\n", "role": "user" }, { "content": "example_spectral_to_xyz", "role": "assistant" } ]
def x(): print('=== Simple Example: XYZ->IPT ===') xyz = XYZColor(0.5, 0.5, 0.5, illuminant='d65') print(xyz) ipt = convert_color(xyz, IPTColor) print(ipt) print('=== End Example ===\n')
example_lab_to_ipt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n print('=== Simple Example: XYZ->IPT ===')\n xyz = XYZColor(0.5, 0.5, 0.5, illuminant='d65')\n print(xyz)\n ipt = convert_color(xyz, IPTColor)\n print(ipt)\n print('=== End Example ===\\n')\n", "role": "user" }, { "content": "example_lab_to_ipt", "role": "assistant" } ]
def x(var1, var2, var3, rgb_type, convtype='xyz_to_rgb'): convtype = convtype.lower() rgb_matrix = rgb_type.conversion_matrices[convtype] logger.debug(' \\* Applying RGB conversion matrix: %s->%s', rgb_type. __class__.__name__, convtype) var_matrix = numpy.array((var1, var2, var3)) result_matrix = numpy.dot(rgb_matrix, var_matrix) rgb_r, rgb_g, rgb_b = result_matrix rgb_r = max(rgb_r, 0.0) rgb_g = max(rgb_g, 0.0) rgb_b = max(rgb_b, 0.0) return rgb_r, rgb_g, rgb_b
apply_RGB_matrix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(var1, var2, var3, rgb_type, convtype='xyz_to_rgb'):\n convtype = convtype.lower()\n rgb_matrix = rgb_type.conversion_matrices[convtype]\n logger.debug(' \\\\* Applying RGB conversion matrix: %s->%s', rgb_type.\n __class__.__name__, convtype)\n var_matrix = numpy.array((var1, var2, var3))\n result_matrix = numpy.dot(rgb_matrix, var_matrix)\n rgb_r, rgb_g, rgb_b = result_matrix\n rgb_r = max(rgb_r, 0.0)\n rgb_g = max(rgb_g, 0.0)\n rgb_b = max(rgb_b, 0.0)\n return rgb_r, rgb_g, rgb_b\n", "role": "user" }, { "content": "apply_RGB_matrix", "role": "assistant" } ]
def x(start_type, target_type): def x(f): f.start_type = start_type f.target_type = target_type _conversion_manager.add_type_conversion(start_type, target_type, f) return f return decorator
color_conversion_function
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start_type, target_type):\n\n def x(f):\n f.start_type = start_type\n f.target_type = target_type\n _conversion_manager.add_type_conversion(start_type, target_type, f)\n return f\n return decorator\n", "role": "user" }, { "content": "color_conversion_function", "role": "assistant" } ]
def x(cobj, illuminant_override=None, *args, **kwargs): if illuminant_override: reference_illum = illuminant_override else: try: reference_illum = spectral_constants.REF_ILLUM_TABLE[cobj. illuminant] except KeyError: raise InvalidIlluminantError(cobj.illuminant) if cobj.observer == '10': std_obs_x = spectral_constants.STDOBSERV_X10 std_obs_y = spectral_constants.STDOBSERV_Y10 std_obs_z = spectral_constants.STDOBSERV_Z10 else: std_obs_x = spectral_constants.STDOBSERV_X2 std_obs_y = spectral_constants.STDOBSERV_Y2 std_obs_z = spectral_constants.STDOBSERV_Z2 sample = cobj.get_numpy_array() denom = std_obs_y * reference_illum sample_by_ref_illum = sample * reference_illum x_numerator = sample_by_ref_illum * std_obs_x y_numerator = sample_by_ref_illum * std_obs_y z_numerator = sample_by_ref_illum * std_obs_z xyz_x = x_numerator.sum() / denom.sum() xyz_y = y_numerator.sum() / denom.sum() xyz_z = z_numerator.sum() / denom.sum() return XYZColor(xyz_x, xyz_y, xyz_z, observer=cobj.observer, illuminant =cobj.illuminant)
Spectral_to_XYZ
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, illuminant_override=None, *args, **kwargs):\n if illuminant_override:\n reference_illum = illuminant_override\n else:\n try:\n reference_illum = spectral_constants.REF_ILLUM_TABLE[cobj.\n illuminant]\n except KeyError:\n raise InvalidIlluminantError(cobj.illuminant)\n if cobj.observer == '10':\n std_obs_x = spectral_constants.STDOBSERV_X10\n std_obs_y = spectral_constants.STDOBSERV_Y10\n std_obs_z = spectral_constants.STDOBSERV_Z10\n else:\n std_obs_x = spectral_constants.STDOBSERV_X2\n std_obs_y = spectral_constants.STDOBSERV_Y2\n std_obs_z = spectral_constants.STDOBSERV_Z2\n sample = cobj.get_numpy_array()\n denom = std_obs_y * reference_illum\n sample_by_ref_illum = sample * reference_illum\n x_numerator = sample_by_ref_illum * std_obs_x\n y_numerator = sample_by_ref_illum * std_obs_y\n z_numerator = sample_by_ref_illum * std_obs_z\n xyz_x = x_numerator.sum() / denom.sum()\n xyz_y = y_numerator.sum() / denom.sum()\n xyz_z = z_numerator.sum() / denom.sum()\n return XYZColor(xyz_x, xyz_y, xyz_z, observer=cobj.observer, illuminant\n =cobj.illuminant)\n", "role": "user" }, { "content": "Spectral_to_XYZ", "role": "assistant" } ]
def x(cobj, *args, **kwargs): lch_l = cobj.lab_l lch_c = math.sqrt(math.pow(float(cobj.lab_a), 2) + math.pow(float(cobj. lab_b), 2)) lch_h = math.atan2(float(cobj.lab_b), float(cobj.lab_a)) if lch_h > 0: lch_h = lch_h / math.pi * 180 else: lch_h = 360 - math.fabs(lch_h) / math.pi * 180 return LCHabColor(lch_l, lch_c, lch_h, observer=cobj.observer, illuminant=cobj.illuminant)
Lab_to_LCHab
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, *args, **kwargs):\n lch_l = cobj.lab_l\n lch_c = math.sqrt(math.pow(float(cobj.lab_a), 2) + math.pow(float(cobj.\n lab_b), 2))\n lch_h = math.atan2(float(cobj.lab_b), float(cobj.lab_a))\n if lch_h > 0:\n lch_h = lch_h / math.pi * 180\n else:\n lch_h = 360 - math.fabs(lch_h) / math.pi * 180\n return LCHabColor(lch_l, lch_c, lch_h, observer=cobj.observer,\n illuminant=cobj.illuminant)\n", "role": "user" }, { "content": "Lab_to_LCHab", "role": "assistant" } ]
def x(cobj, *args, **kwargs): illum = cobj.get_illuminant_xyz() xyz_y = (cobj.lab_l + 16.0) / 116.0 xyz_x = cobj.lab_a / 500.0 + xyz_y xyz_z = xyz_y - cobj.lab_b / 200.0 if math.pow(xyz_y, 3) > color_constants.CIE_E: xyz_y = math.pow(xyz_y, 3) else: xyz_y = (xyz_y - 16.0 / 116.0) / 7.787 if math.pow(xyz_x, 3) > color_constants.CIE_E: xyz_x = math.pow(xyz_x, 3) else: xyz_x = (xyz_x - 16.0 / 116.0) / 7.787 if math.pow(xyz_z, 3) > color_constants.CIE_E: xyz_z = math.pow(xyz_z, 3) else: xyz_z = (xyz_z - 16.0 / 116.0) / 7.787 xyz_x = illum['X'] * xyz_x xyz_y = illum['Y'] * xyz_y xyz_z = illum['Z'] * xyz_z return XYZColor(xyz_x, xyz_y, xyz_z, observer=cobj.observer, illuminant =cobj.illuminant)
Lab_to_XYZ
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, *args, **kwargs):\n illum = cobj.get_illuminant_xyz()\n xyz_y = (cobj.lab_l + 16.0) / 116.0\n xyz_x = cobj.lab_a / 500.0 + xyz_y\n xyz_z = xyz_y - cobj.lab_b / 200.0\n if math.pow(xyz_y, 3) > color_constants.CIE_E:\n xyz_y = math.pow(xyz_y, 3)\n else:\n xyz_y = (xyz_y - 16.0 / 116.0) / 7.787\n if math.pow(xyz_x, 3) > color_constants.CIE_E:\n xyz_x = math.pow(xyz_x, 3)\n else:\n xyz_x = (xyz_x - 16.0 / 116.0) / 7.787\n if math.pow(xyz_z, 3) > color_constants.CIE_E:\n xyz_z = math.pow(xyz_z, 3)\n else:\n xyz_z = (xyz_z - 16.0 / 116.0) / 7.787\n xyz_x = illum['X'] * xyz_x\n xyz_y = illum['Y'] * xyz_y\n xyz_z = illum['Z'] * xyz_z\n return XYZColor(xyz_x, xyz_y, xyz_z, observer=cobj.observer, illuminant\n =cobj.illuminant)\n", "role": "user" }, { "content": "Lab_to_XYZ", "role": "assistant" } ]
def x(cobj, *args, **kwargs): lch_l = cobj.luv_l lch_c = math.sqrt(math.pow(cobj.luv_u, 2.0) + math.pow(cobj.luv_v, 2.0)) lch_h = math.atan2(float(cobj.luv_v), float(cobj.luv_u)) if lch_h > 0: lch_h = lch_h / math.pi * 180 else: lch_h = 360 - math.fabs(lch_h) / math.pi * 180 return LCHuvColor(lch_l, lch_c, lch_h, observer=cobj.observer, illuminant=cobj.illuminant)
Luv_to_LCHuv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, *args, **kwargs):\n lch_l = cobj.luv_l\n lch_c = math.sqrt(math.pow(cobj.luv_u, 2.0) + math.pow(cobj.luv_v, 2.0))\n lch_h = math.atan2(float(cobj.luv_v), float(cobj.luv_u))\n if lch_h > 0:\n lch_h = lch_h / math.pi * 180\n else:\n lch_h = 360 - math.fabs(lch_h) / math.pi * 180\n return LCHuvColor(lch_l, lch_c, lch_h, observer=cobj.observer,\n illuminant=cobj.illuminant)\n", "role": "user" }, { "content": "Luv_to_LCHuv", "role": "assistant" } ]
def x(cobj, *args, **kwargs): illum = cobj.get_illuminant_xyz() if cobj.luv_l <= 0.0: xyz_x = 0.0 xyz_y = 0.0 xyz_z = 0.0 return XYZColor(xyz_x, xyz_y, xyz_z, observer=cobj.observer, illuminant=cobj.illuminant) cie_k_times_e = color_constants.CIE_K * color_constants.CIE_E u_sub_0 = 4.0 * illum['X'] / (illum['X'] + 15.0 * illum['Y'] + 3.0 * illum['Z']) v_sub_0 = 9.0 * illum['Y'] / (illum['X'] + 15.0 * illum['Y'] + 3.0 * illum['Z']) var_u = cobj.luv_u / (13.0 * cobj.luv_l) + u_sub_0 var_v = cobj.luv_v / (13.0 * cobj.luv_l) + v_sub_0 if cobj.luv_l > cie_k_times_e: xyz_y = math.pow((cobj.luv_l + 16.0) / 116.0, 3.0) else: xyz_y = cobj.luv_l / color_constants.CIE_K xyz_x = xyz_y * 9.0 * var_u / (4.0 * var_v) xyz_z = xyz_y * (12.0 - 3.0 * var_u - 20.0 * var_v) / (4.0 * var_v) return XYZColor(xyz_x, xyz_y, xyz_z, illuminant=cobj.illuminant, observer=cobj.observer)
Luv_to_XYZ
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, *args, **kwargs):\n illum = cobj.get_illuminant_xyz()\n if cobj.luv_l <= 0.0:\n xyz_x = 0.0\n xyz_y = 0.0\n xyz_z = 0.0\n return XYZColor(xyz_x, xyz_y, xyz_z, observer=cobj.observer,\n illuminant=cobj.illuminant)\n cie_k_times_e = color_constants.CIE_K * color_constants.CIE_E\n u_sub_0 = 4.0 * illum['X'] / (illum['X'] + 15.0 * illum['Y'] + 3.0 *\n illum['Z'])\n v_sub_0 = 9.0 * illum['Y'] / (illum['X'] + 15.0 * illum['Y'] + 3.0 *\n illum['Z'])\n var_u = cobj.luv_u / (13.0 * cobj.luv_l) + u_sub_0\n var_v = cobj.luv_v / (13.0 * cobj.luv_l) + v_sub_0\n if cobj.luv_l > cie_k_times_e:\n xyz_y = math.pow((cobj.luv_l + 16.0) / 116.0, 3.0)\n else:\n xyz_y = cobj.luv_l / color_constants.CIE_K\n xyz_x = xyz_y * 9.0 * var_u / (4.0 * var_v)\n xyz_z = xyz_y * (12.0 - 3.0 * var_u - 20.0 * var_v) / (4.0 * var_v)\n return XYZColor(xyz_x, xyz_y, xyz_z, illuminant=cobj.illuminant,\n observer=cobj.observer)\n", "role": "user" }, { "content": "Luv_to_XYZ", "role": "assistant" } ]
def x(cobj, *args, **kwargs): lab_l = cobj.lch_l lab_a = math.cos(math.radians(cobj.lch_h)) * cobj.lch_c lab_b = math.sin(math.radians(cobj.lch_h)) * cobj.lch_c return LabColor(lab_l, lab_a, lab_b, illuminant=cobj.illuminant, observer=cobj.observer)
LCHab_to_Lab
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, *args, **kwargs):\n lab_l = cobj.lch_l\n lab_a = math.cos(math.radians(cobj.lch_h)) * cobj.lch_c\n lab_b = math.sin(math.radians(cobj.lch_h)) * cobj.lch_c\n return LabColor(lab_l, lab_a, lab_b, illuminant=cobj.illuminant,\n observer=cobj.observer)\n", "role": "user" }, { "content": "LCHab_to_Lab", "role": "assistant" } ]
def x(cobj, *args, **kwargs): luv_l = cobj.lch_l luv_u = math.cos(math.radians(cobj.lch_h)) * cobj.lch_c luv_v = math.sin(math.radians(cobj.lch_h)) * cobj.lch_c return LuvColor(luv_l, luv_u, luv_v, illuminant=cobj.illuminant, observer=cobj.observer)
LCHuv_to_Luv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, *args, **kwargs):\n luv_l = cobj.lch_l\n luv_u = math.cos(math.radians(cobj.lch_h)) * cobj.lch_c\n luv_v = math.sin(math.radians(cobj.lch_h)) * cobj.lch_c\n return LuvColor(luv_l, luv_u, luv_v, illuminant=cobj.illuminant,\n observer=cobj.observer)\n", "role": "user" }, { "content": "LCHuv_to_Luv", "role": "assistant" } ]
def x(cobj, *args, **kwargs): if cobj.xyy_y == 0.0: xyz_x = 0.0 xyz_y = 0.0 xyz_z = 0.0 else: xyz_x = cobj.xyy_x * cobj.xyy_Y / cobj.xyy_y xyz_y = cobj.xyy_Y xyz_z = (1.0 - cobj.xyy_x - cobj.xyy_y) * xyz_y / cobj.xyy_y return XYZColor(xyz_x, xyz_y, xyz_z, illuminant=cobj.illuminant, observer=cobj.observer)
xyY_to_XYZ
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, *args, **kwargs):\n if cobj.xyy_y == 0.0:\n xyz_x = 0.0\n xyz_y = 0.0\n xyz_z = 0.0\n else:\n xyz_x = cobj.xyy_x * cobj.xyy_Y / cobj.xyy_y\n xyz_y = cobj.xyy_Y\n xyz_z = (1.0 - cobj.xyy_x - cobj.xyy_y) * xyz_y / cobj.xyy_y\n return XYZColor(xyz_x, xyz_y, xyz_z, illuminant=cobj.illuminant,\n observer=cobj.observer)\n", "role": "user" }, { "content": "xyY_to_XYZ", "role": "assistant" } ]
def x(cobj, *args, **kwargs): xyz_sum = cobj.xyz_x + cobj.xyz_y + cobj.xyz_z if xyz_sum == 0.0: xyy_x = 0.0 xyy_y = 0.0 else: xyy_x = cobj.xyz_x / xyz_sum xyy_y = cobj.xyz_y / xyz_sum xyy_Y = cobj.xyz_y return xyYColor(xyy_x, xyy_y, xyy_Y, observer=cobj.observer, illuminant =cobj.illuminant)
XYZ_to_xyY
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, *args, **kwargs):\n xyz_sum = cobj.xyz_x + cobj.xyz_y + cobj.xyz_z\n if xyz_sum == 0.0:\n xyy_x = 0.0\n xyy_y = 0.0\n else:\n xyy_x = cobj.xyz_x / xyz_sum\n xyy_y = cobj.xyz_y / xyz_sum\n xyy_Y = cobj.xyz_y\n return xyYColor(xyy_x, xyy_y, xyy_Y, observer=cobj.observer, illuminant\n =cobj.illuminant)\n", "role": "user" }, { "content": "XYZ_to_xyY", "role": "assistant" } ]
def x(cobj, *args, **kwargs): temp_x = cobj.xyz_x temp_y = cobj.xyz_y temp_z = cobj.xyz_z denom = temp_x + 15.0 * temp_y + 3.0 * temp_z if denom == 0.0: luv_u = 0.0 luv_v = 0.0 else: luv_u = 4.0 * temp_x / denom luv_v = 9.0 * temp_y / denom illum = cobj.get_illuminant_xyz() temp_y = temp_y / illum['Y'] if temp_y > color_constants.CIE_E: temp_y = math.pow(temp_y, 1.0 / 3.0) else: temp_y = 7.787 * temp_y + 16.0 / 116.0 ref_U = 4.0 * illum['X'] / (illum['X'] + 15.0 * illum['Y'] + 3.0 * illum['Z']) ref_V = 9.0 * illum['Y'] / (illum['X'] + 15.0 * illum['Y'] + 3.0 * illum['Z']) luv_l = 116.0 * temp_y - 16.0 luv_u = 13.0 * luv_l * (luv_u - ref_U) luv_v = 13.0 * luv_l * (luv_v - ref_V) return LuvColor(luv_l, luv_u, luv_v, observer=cobj.observer, illuminant =cobj.illuminant)
XYZ_to_Luv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, *args, **kwargs):\n temp_x = cobj.xyz_x\n temp_y = cobj.xyz_y\n temp_z = cobj.xyz_z\n denom = temp_x + 15.0 * temp_y + 3.0 * temp_z\n if denom == 0.0:\n luv_u = 0.0\n luv_v = 0.0\n else:\n luv_u = 4.0 * temp_x / denom\n luv_v = 9.0 * temp_y / denom\n illum = cobj.get_illuminant_xyz()\n temp_y = temp_y / illum['Y']\n if temp_y > color_constants.CIE_E:\n temp_y = math.pow(temp_y, 1.0 / 3.0)\n else:\n temp_y = 7.787 * temp_y + 16.0 / 116.0\n ref_U = 4.0 * illum['X'] / (illum['X'] + 15.0 * illum['Y'] + 3.0 *\n illum['Z'])\n ref_V = 9.0 * illum['Y'] / (illum['X'] + 15.0 * illum['Y'] + 3.0 *\n illum['Z'])\n luv_l = 116.0 * temp_y - 16.0\n luv_u = 13.0 * luv_l * (luv_u - ref_U)\n luv_v = 13.0 * luv_l * (luv_v - ref_V)\n return LuvColor(luv_l, luv_u, luv_v, observer=cobj.observer, illuminant\n =cobj.illuminant)\n", "role": "user" }, { "content": "XYZ_to_Luv", "role": "assistant" } ]
def x(cobj, *args, **kwargs): illum = cobj.get_illuminant_xyz() temp_x = cobj.xyz_x / illum['X'] temp_y = cobj.xyz_y / illum['Y'] temp_z = cobj.xyz_z / illum['Z'] if temp_x > color_constants.CIE_E: temp_x = math.pow(temp_x, 1.0 / 3.0) else: temp_x = 7.787 * temp_x + 16.0 / 116.0 if temp_y > color_constants.CIE_E: temp_y = math.pow(temp_y, 1.0 / 3.0) else: temp_y = 7.787 * temp_y + 16.0 / 116.0 if temp_z > color_constants.CIE_E: temp_z = math.pow(temp_z, 1.0 / 3.0) else: temp_z = 7.787 * temp_z + 16.0 / 116.0 lab_l = 116.0 * temp_y - 16.0 lab_a = 500.0 * (temp_x - temp_y) lab_b = 200.0 * (temp_y - temp_z) return LabColor(lab_l, lab_a, lab_b, observer=cobj.observer, illuminant =cobj.illuminant)
XYZ_to_Lab
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, *args, **kwargs):\n illum = cobj.get_illuminant_xyz()\n temp_x = cobj.xyz_x / illum['X']\n temp_y = cobj.xyz_y / illum['Y']\n temp_z = cobj.xyz_z / illum['Z']\n if temp_x > color_constants.CIE_E:\n temp_x = math.pow(temp_x, 1.0 / 3.0)\n else:\n temp_x = 7.787 * temp_x + 16.0 / 116.0\n if temp_y > color_constants.CIE_E:\n temp_y = math.pow(temp_y, 1.0 / 3.0)\n else:\n temp_y = 7.787 * temp_y + 16.0 / 116.0\n if temp_z > color_constants.CIE_E:\n temp_z = math.pow(temp_z, 1.0 / 3.0)\n else:\n temp_z = 7.787 * temp_z + 16.0 / 116.0\n lab_l = 116.0 * temp_y - 16.0\n lab_a = 500.0 * (temp_x - temp_y)\n lab_b = 200.0 * (temp_y - temp_z)\n return LabColor(lab_l, lab_a, lab_b, observer=cobj.observer, illuminant\n =cobj.illuminant)\n", "role": "user" }, { "content": "XYZ_to_Lab", "role": "assistant" } ]
def x(cobj, target_rgb, *args, **kwargs): temp_X = cobj.xyz_x temp_Y = cobj.xyz_y temp_Z = cobj.xyz_z logger.debug(' \\- Target RGB space: %s', target_rgb) target_illum = target_rgb.native_illuminant logger.debug(' \\- Target native illuminant: %s', target_illum) logger.debug(" \\- XYZ color's illuminant: %s", cobj.illuminant) if cobj.illuminant != target_illum: logger.debug(' \\* Applying transformation from %s to %s ', cobj. illuminant, target_illum) temp_X, temp_Y, temp_Z = apply_chromatic_adaptation(temp_X, temp_Y, temp_Z, orig_illum=cobj.illuminant, targ_illum=target_illum) logger.debug(' \\* New values: %.3f, %.3f, %.3f', temp_X, temp_Y, temp_Z) rgb_r, rgb_g, rgb_b = apply_RGB_matrix(temp_X, temp_Y, temp_Z, rgb_type =target_rgb, convtype='xyz_to_rgb') linear_channels = dict(r=rgb_r, g=rgb_g, b=rgb_b) nonlinear_channels = {} if target_rgb == sRGBColor: for channel in ['r', 'g', 'b']: v = linear_channels[channel] if v <= 0.0031308: nonlinear_channels[channel] = v * 12.92 else: nonlinear_channels[channel] = 1.055 * math.pow(v, 1 / 2.4 ) - 0.055 elif target_rgb == BT2020Color: if kwargs.get('is_12_bits_system'): a, b = 1.0993, 0.0181 else: a, b = 1.099, 0.018 for channel in ['r', 'g', 'b']: v = linear_channels[channel] if v < b: nonlinear_channels[channel] = v * 4.5 else: nonlinear_channels[channel] = a * math.pow(v, 0.45) - (a - 1) else: for channel in ['r', 'g', 'b']: v = linear_channels[channel] nonlinear_channels[channel] = math.pow(v, 1 / target_rgb.rgb_gamma) return target_rgb(nonlinear_channels['r'], nonlinear_channels['g'], nonlinear_channels['b'])
XYZ_to_RGB
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, target_rgb, *args, **kwargs):\n temp_X = cobj.xyz_x\n temp_Y = cobj.xyz_y\n temp_Z = cobj.xyz_z\n logger.debug(' \\\\- Target RGB space: %s', target_rgb)\n target_illum = target_rgb.native_illuminant\n logger.debug(' \\\\- Target native illuminant: %s', target_illum)\n logger.debug(\" \\\\- XYZ color's illuminant: %s\", cobj.illuminant)\n if cobj.illuminant != target_illum:\n logger.debug(' \\\\* Applying transformation from %s to %s ', cobj.\n illuminant, target_illum)\n temp_X, temp_Y, temp_Z = apply_chromatic_adaptation(temp_X, temp_Y,\n temp_Z, orig_illum=cobj.illuminant, targ_illum=target_illum)\n logger.debug(' \\\\* New values: %.3f, %.3f, %.3f', temp_X, temp_Y,\n temp_Z)\n rgb_r, rgb_g, rgb_b = apply_RGB_matrix(temp_X, temp_Y, temp_Z, rgb_type\n =target_rgb, convtype='xyz_to_rgb')\n linear_channels = dict(r=rgb_r, g=rgb_g, b=rgb_b)\n nonlinear_channels = {}\n if target_rgb == sRGBColor:\n for channel in ['r', 'g', 'b']:\n v = linear_channels[channel]\n if v <= 0.0031308:\n nonlinear_channels[channel] = v * 12.92\n else:\n nonlinear_channels[channel] = 1.055 * math.pow(v, 1 / 2.4\n ) - 0.055\n elif target_rgb == BT2020Color:\n if kwargs.get('is_12_bits_system'):\n a, b = 1.0993, 0.0181\n else:\n a, b = 1.099, 0.018\n for channel in ['r', 'g', 'b']:\n v = linear_channels[channel]\n if v < b:\n nonlinear_channels[channel] = v * 4.5\n else:\n nonlinear_channels[channel] = a * math.pow(v, 0.45) - (a - 1)\n else:\n for channel in ['r', 'g', 'b']:\n v = linear_channels[channel]\n nonlinear_channels[channel] = math.pow(v, 1 / target_rgb.rgb_gamma)\n return target_rgb(nonlinear_channels['r'], nonlinear_channels['g'],\n nonlinear_channels['b'])\n", "role": "user" }, { "content": "XYZ_to_RGB", "role": "assistant" } ]
def x(cobj, target_illuminant=None, *args, **kwargs): linear_channels = {} if isinstance(cobj, sRGBColor): for channel in ['r', 'g', 'b']: V = getattr(cobj, 'rgb_' + channel) if V <= 0.04045: linear_channels[channel] = V / 12.92 else: linear_channels[channel] = math.pow((V + 0.055) / 1.055, 2.4) elif isinstance(cobj, BT2020Color): if kwargs.get('is_12_bits_system'): a, b, c = 1.0993, 0.0181, 0.081697877417347 else: a, b, c = 1.099, 0.018, 0.08124794403514049 for channel in ['r', 'g', 'b']: V = getattr(cobj, 'rgb_' + channel) if V <= c: linear_channels[channel] = V / 4.5 else: linear_channels[channel] = math.pow((V + (a - 1)) / a, 1 / 0.45 ) else: gamma = cobj.rgb_gamma for channel in ['r', 'g', 'b']: V = getattr(cobj, 'rgb_' + channel) linear_channels[channel] = math.pow(V, gamma) xyz_x, xyz_y, xyz_z = apply_RGB_matrix(linear_channels['r'], linear_channels['g'], linear_channels['b'], rgb_type=cobj, convtype ='rgb_to_xyz') if target_illuminant is None: target_illuminant = cobj.native_illuminant illuminant = cobj.native_illuminant xyzcolor = XYZColor(xyz_x, xyz_y, xyz_z, illuminant=illuminant) xyzcolor.apply_adaptation(target_illuminant) return xyzcolor
RGB_to_XYZ
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, target_illuminant=None, *args, **kwargs):\n linear_channels = {}\n if isinstance(cobj, sRGBColor):\n for channel in ['r', 'g', 'b']:\n V = getattr(cobj, 'rgb_' + channel)\n if V <= 0.04045:\n linear_channels[channel] = V / 12.92\n else:\n linear_channels[channel] = math.pow((V + 0.055) / 1.055, 2.4)\n elif isinstance(cobj, BT2020Color):\n if kwargs.get('is_12_bits_system'):\n a, b, c = 1.0993, 0.0181, 0.081697877417347\n else:\n a, b, c = 1.099, 0.018, 0.08124794403514049\n for channel in ['r', 'g', 'b']:\n V = getattr(cobj, 'rgb_' + channel)\n if V <= c:\n linear_channels[channel] = V / 4.5\n else:\n linear_channels[channel] = math.pow((V + (a - 1)) / a, 1 / 0.45\n )\n else:\n gamma = cobj.rgb_gamma\n for channel in ['r', 'g', 'b']:\n V = getattr(cobj, 'rgb_' + channel)\n linear_channels[channel] = math.pow(V, gamma)\n xyz_x, xyz_y, xyz_z = apply_RGB_matrix(linear_channels['r'],\n linear_channels['g'], linear_channels['b'], rgb_type=cobj, convtype\n ='rgb_to_xyz')\n if target_illuminant is None:\n target_illuminant = cobj.native_illuminant\n illuminant = cobj.native_illuminant\n xyzcolor = XYZColor(xyz_x, xyz_y, xyz_z, illuminant=illuminant)\n xyzcolor.apply_adaptation(target_illuminant)\n return xyzcolor\n", "role": "user" }, { "content": "RGB_to_XYZ", "role": "assistant" } ]
def x(var_R, var_G, var_B, var_min, var_max): if var_max == var_min: return 0.0 elif var_max == var_R: return (60.0 * ((var_G - var_B) / (var_max - var_min)) + 360) % 360.0 elif var_max == var_G: return 60.0 * ((var_B - var_R) / (var_max - var_min)) + 120 elif var_max == var_B: return 60.0 * ((var_R - var_G) / (var_max - var_min)) + 240.0
RGB_to_Hue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(var_R, var_G, var_B, var_min, var_max):\n if var_max == var_min:\n return 0.0\n elif var_max == var_R:\n return (60.0 * ((var_G - var_B) / (var_max - var_min)) + 360) % 360.0\n elif var_max == var_G:\n return 60.0 * ((var_B - var_R) / (var_max - var_min)) + 120\n elif var_max == var_B:\n return 60.0 * ((var_R - var_G) / (var_max - var_min)) + 240.0\n", "role": "user" }, { "content": "RGB_to_Hue", "role": "assistant" } ]
def x(cobj, *args, **kwargs): var_R = cobj.rgb_r var_G = cobj.rgb_g var_B = cobj.rgb_b var_max = max(var_R, var_G, var_B) var_min = min(var_R, var_G, var_B) var_H = __RGB_to_Hue(var_R, var_G, var_B, var_min, var_max) if var_max == 0: var_S = 0 else: var_S = 1.0 - var_min / var_max var_V = var_max return HSVColor(var_H, var_S, var_V)
RGB_to_HSV
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, *args, **kwargs):\n var_R = cobj.rgb_r\n var_G = cobj.rgb_g\n var_B = cobj.rgb_b\n var_max = max(var_R, var_G, var_B)\n var_min = min(var_R, var_G, var_B)\n var_H = __RGB_to_Hue(var_R, var_G, var_B, var_min, var_max)\n if var_max == 0:\n var_S = 0\n else:\n var_S = 1.0 - var_min / var_max\n var_V = var_max\n return HSVColor(var_H, var_S, var_V)\n", "role": "user" }, { "content": "RGB_to_HSV", "role": "assistant" } ]
def x(cobj, *args, **kwargs): var_R = cobj.rgb_r var_G = cobj.rgb_g var_B = cobj.rgb_b var_max = max(var_R, var_G, var_B) var_min = min(var_R, var_G, var_B) var_H = __RGB_to_Hue(var_R, var_G, var_B, var_min, var_max) var_L = 0.5 * (var_max + var_min) if var_max == var_min: var_S = 0 elif var_L <= 0.5: var_S = (var_max - var_min) / (2.0 * var_L) else: var_S = (var_max - var_min) / (2.0 - 2.0 * var_L) return HSLColor(var_H, var_S, var_L)
RGB_to_HSL
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, *args, **kwargs):\n var_R = cobj.rgb_r\n var_G = cobj.rgb_g\n var_B = cobj.rgb_b\n var_max = max(var_R, var_G, var_B)\n var_min = min(var_R, var_G, var_B)\n var_H = __RGB_to_Hue(var_R, var_G, var_B, var_min, var_max)\n var_L = 0.5 * (var_max + var_min)\n if var_max == var_min:\n var_S = 0\n elif var_L <= 0.5:\n var_S = (var_max - var_min) / (2.0 * var_L)\n else:\n var_S = (var_max - var_min) / (2.0 - 2.0 * var_L)\n return HSLColor(var_H, var_S, var_L)\n", "role": "user" }, { "content": "RGB_to_HSL", "role": "assistant" } ]
def x(var_q, var_p, C): if C < 0: C += 1.0 if C > 1: C -= 1.0 if C < 1.0 / 6.0: return var_p + (var_q - var_p) * 6.0 * C elif 1.0 / 6.0 <= C < 0.5: return var_q elif 0.5 <= C < 2.0 / 3.0: return var_p + (var_q - var_p) * 6.0 * (2.0 / 3.0 - C) else: return var_p
Calc_HSL_to_RGB_Components
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(var_q, var_p, C):\n if C < 0:\n C += 1.0\n if C > 1:\n C -= 1.0\n if C < 1.0 / 6.0:\n return var_p + (var_q - var_p) * 6.0 * C\n elif 1.0 / 6.0 <= C < 0.5:\n return var_q\n elif 0.5 <= C < 2.0 / 3.0:\n return var_p + (var_q - var_p) * 6.0 * (2.0 / 3.0 - C)\n else:\n return var_p\n", "role": "user" }, { "content": "Calc_HSL_to_RGB_Components", "role": "assistant" } ]
def x(cobj, target_rgb, *args, **kwargs): H = cobj.hsv_h S = cobj.hsv_s V = cobj.hsv_v h_floored = int(math.floor(H)) h_sub_i = int(h_floored / 60) % 6 var_f = H / 60.0 - h_floored // 60 var_p = V * (1.0 - S) var_q = V * (1.0 - var_f * S) var_t = V * (1.0 - (1.0 - var_f) * S) if h_sub_i == 0: rgb_r = V rgb_g = var_t rgb_b = var_p elif h_sub_i == 1: rgb_r = var_q rgb_g = V rgb_b = var_p elif h_sub_i == 2: rgb_r = var_p rgb_g = V rgb_b = var_t elif h_sub_i == 3: rgb_r = var_p rgb_g = var_q rgb_b = V elif h_sub_i == 4: rgb_r = var_t rgb_g = var_p rgb_b = V elif h_sub_i == 5: rgb_r = V rgb_g = var_p rgb_b = var_q else: raise ValueError('Unable to convert HSL->RGB due to value error.') return target_rgb(rgb_r, rgb_g, rgb_b)
HSV_to_RGB
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, target_rgb, *args, **kwargs):\n H = cobj.hsv_h\n S = cobj.hsv_s\n V = cobj.hsv_v\n h_floored = int(math.floor(H))\n h_sub_i = int(h_floored / 60) % 6\n var_f = H / 60.0 - h_floored // 60\n var_p = V * (1.0 - S)\n var_q = V * (1.0 - var_f * S)\n var_t = V * (1.0 - (1.0 - var_f) * S)\n if h_sub_i == 0:\n rgb_r = V\n rgb_g = var_t\n rgb_b = var_p\n elif h_sub_i == 1:\n rgb_r = var_q\n rgb_g = V\n rgb_b = var_p\n elif h_sub_i == 2:\n rgb_r = var_p\n rgb_g = V\n rgb_b = var_t\n elif h_sub_i == 3:\n rgb_r = var_p\n rgb_g = var_q\n rgb_b = V\n elif h_sub_i == 4:\n rgb_r = var_t\n rgb_g = var_p\n rgb_b = V\n elif h_sub_i == 5:\n rgb_r = V\n rgb_g = var_p\n rgb_b = var_q\n else:\n raise ValueError('Unable to convert HSL->RGB due to value error.')\n return target_rgb(rgb_r, rgb_g, rgb_b)\n", "role": "user" }, { "content": "HSV_to_RGB", "role": "assistant" } ]
def x(cobj, target_rgb, *args, **kwargs): H = cobj.hsl_h S = cobj.hsl_s L = cobj.hsl_l if L < 0.5: var_q = L * (1.0 + S) else: var_q = L + S - L * S var_p = 2.0 * L - var_q h_sub_k = H / 360.0 t_sub_R = h_sub_k + 1.0 / 3.0 t_sub_G = h_sub_k t_sub_B = h_sub_k - 1.0 / 3.0 rgb_r = __Calc_HSL_to_RGB_Components(var_q, var_p, t_sub_R) rgb_g = __Calc_HSL_to_RGB_Components(var_q, var_p, t_sub_G) rgb_b = __Calc_HSL_to_RGB_Components(var_q, var_p, t_sub_B) return target_rgb(rgb_r, rgb_g, rgb_b)
HSL_to_RGB
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, target_rgb, *args, **kwargs):\n H = cobj.hsl_h\n S = cobj.hsl_s\n L = cobj.hsl_l\n if L < 0.5:\n var_q = L * (1.0 + S)\n else:\n var_q = L + S - L * S\n var_p = 2.0 * L - var_q\n h_sub_k = H / 360.0\n t_sub_R = h_sub_k + 1.0 / 3.0\n t_sub_G = h_sub_k\n t_sub_B = h_sub_k - 1.0 / 3.0\n rgb_r = __Calc_HSL_to_RGB_Components(var_q, var_p, t_sub_R)\n rgb_g = __Calc_HSL_to_RGB_Components(var_q, var_p, t_sub_G)\n rgb_b = __Calc_HSL_to_RGB_Components(var_q, var_p, t_sub_B)\n return target_rgb(rgb_r, rgb_g, rgb_b)\n", "role": "user" }, { "content": "HSL_to_RGB", "role": "assistant" } ]
def x(cobj, *args, **kwargs): cmy_c = 1.0 - cobj.rgb_r cmy_m = 1.0 - cobj.rgb_g cmy_y = 1.0 - cobj.rgb_b return CMYColor(cmy_c, cmy_m, cmy_y)
RGB_to_CMY
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, *args, **kwargs):\n cmy_c = 1.0 - cobj.rgb_r\n cmy_m = 1.0 - cobj.rgb_g\n cmy_y = 1.0 - cobj.rgb_b\n return CMYColor(cmy_c, cmy_m, cmy_y)\n", "role": "user" }, { "content": "RGB_to_CMY", "role": "assistant" } ]
def x(cobj, target_rgb, *args, **kwargs): rgb_r = 1.0 - cobj.cmy_c rgb_g = 1.0 - cobj.cmy_m rgb_b = 1.0 - cobj.cmy_y return target_rgb(rgb_r, rgb_g, rgb_b)
CMY_to_RGB
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, target_rgb, *args, **kwargs):\n rgb_r = 1.0 - cobj.cmy_c\n rgb_g = 1.0 - cobj.cmy_m\n rgb_b = 1.0 - cobj.cmy_y\n return target_rgb(rgb_r, rgb_g, rgb_b)\n", "role": "user" }, { "content": "CMY_to_RGB", "role": "assistant" } ]
def x(cobj, *args, **kwargs): var_k = 1.0 if cobj.cmy_c < var_k: var_k = cobj.cmy_c if cobj.cmy_m < var_k: var_k = cobj.cmy_m if cobj.cmy_y < var_k: var_k = cobj.cmy_y if var_k == 1: cmyk_c = 0.0 cmyk_m = 0.0 cmyk_y = 0.0 else: cmyk_c = (cobj.cmy_c - var_k) / (1.0 - var_k) cmyk_m = (cobj.cmy_m - var_k) / (1.0 - var_k) cmyk_y = (cobj.cmy_y - var_k) / (1.0 - var_k) cmyk_k = var_k return CMYKColor(cmyk_c, cmyk_m, cmyk_y, cmyk_k)
CMY_to_CMYK
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, *args, **kwargs):\n var_k = 1.0\n if cobj.cmy_c < var_k:\n var_k = cobj.cmy_c\n if cobj.cmy_m < var_k:\n var_k = cobj.cmy_m\n if cobj.cmy_y < var_k:\n var_k = cobj.cmy_y\n if var_k == 1:\n cmyk_c = 0.0\n cmyk_m = 0.0\n cmyk_y = 0.0\n else:\n cmyk_c = (cobj.cmy_c - var_k) / (1.0 - var_k)\n cmyk_m = (cobj.cmy_m - var_k) / (1.0 - var_k)\n cmyk_y = (cobj.cmy_y - var_k) / (1.0 - var_k)\n cmyk_k = var_k\n return CMYKColor(cmyk_c, cmyk_m, cmyk_y, cmyk_k)\n", "role": "user" }, { "content": "CMY_to_CMYK", "role": "assistant" } ]
def x(cobj, *args, **kwargs): cmy_c = cobj.cmyk_c * (1.0 - cobj.cmyk_k) + cobj.cmyk_k cmy_m = cobj.cmyk_m * (1.0 - cobj.cmyk_k) + cobj.cmyk_k cmy_y = cobj.cmyk_y * (1.0 - cobj.cmyk_k) + cobj.cmyk_k return CMYColor(cmy_c, cmy_m, cmy_y)
CMYK_to_CMY
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, *args, **kwargs):\n cmy_c = cobj.cmyk_c * (1.0 - cobj.cmyk_k) + cobj.cmyk_k\n cmy_m = cobj.cmyk_m * (1.0 - cobj.cmyk_k) + cobj.cmyk_k\n cmy_y = cobj.cmyk_y * (1.0 - cobj.cmyk_k) + cobj.cmyk_k\n return CMYColor(cmy_c, cmy_m, cmy_y)\n", "role": "user" }, { "content": "CMYK_to_CMY", "role": "assistant" } ]
def x(cobj, *args, **kwargs): if cobj.illuminant != 'd65' or cobj.observer != '2': raise ValueError( 'XYZColor for XYZ->IPT conversion needs to be D65 adapted.') xyz_values = numpy.array(cobj.get_value_tuple()) lms_values = numpy.dot(IPTColor.conversion_matrices['xyz_to_lms'], xyz_values) lms_prime = numpy.sign(lms_values) * numpy.abs(lms_values) ** 0.43 ipt_values = numpy.dot(IPTColor.conversion_matrices['lms_to_ipt'], lms_prime) return IPTColor(*ipt_values)
XYZ_to_IPT
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, *args, **kwargs):\n if cobj.illuminant != 'd65' or cobj.observer != '2':\n raise ValueError(\n 'XYZColor for XYZ->IPT conversion needs to be D65 adapted.')\n xyz_values = numpy.array(cobj.get_value_tuple())\n lms_values = numpy.dot(IPTColor.conversion_matrices['xyz_to_lms'],\n xyz_values)\n lms_prime = numpy.sign(lms_values) * numpy.abs(lms_values) ** 0.43\n ipt_values = numpy.dot(IPTColor.conversion_matrices['lms_to_ipt'],\n lms_prime)\n return IPTColor(*ipt_values)\n", "role": "user" }, { "content": "XYZ_to_IPT", "role": "assistant" } ]
def x(cobj, *args, **kwargs): ipt_values = numpy.array(cobj.get_value_tuple()) lms_values = numpy.dot(numpy.linalg.inv(IPTColor.conversion_matrices[ 'lms_to_ipt']), ipt_values) lms_prime = numpy.sign(lms_values) * numpy.abs(lms_values) ** (1 / 0.43) xyz_values = numpy.dot(numpy.linalg.inv(IPTColor.conversion_matrices[ 'xyz_to_lms']), lms_prime) return XYZColor(*xyz_values, observer='2', illuminant='d65')
IPT_to_XYZ
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cobj, *args, **kwargs):\n ipt_values = numpy.array(cobj.get_value_tuple())\n lms_values = numpy.dot(numpy.linalg.inv(IPTColor.conversion_matrices[\n 'lms_to_ipt']), ipt_values)\n lms_prime = numpy.sign(lms_values) * numpy.abs(lms_values) ** (1 / 0.43)\n xyz_values = numpy.dot(numpy.linalg.inv(IPTColor.conversion_matrices[\n 'xyz_to_lms']), lms_prime)\n return XYZColor(*xyz_values, observer='2', illuminant='d65')\n", "role": "user" }, { "content": "IPT_to_XYZ", "role": "assistant" } ]
def x(color, target_cs, through_rgb_type=sRGBColor, target_illuminant=None, *args, **kwargs): if isinstance(target_cs, str): raise ValueError('target_cs parameter must be a Color object.') if not issubclass(target_cs, ColorBase): raise ValueError('target_cs parameter must be a Color object.') conversions = _conversion_manager.get_conversion_path(color.__class__, target_cs) logger.debug('Converting %s to %s', color, target_cs) logger.debug(' @ Conversion path: %s', conversions) new_color = color if issubclass(target_cs, BaseRGBColor): through_rgb_type = target_cs if through_rgb_type != sRGBColor: target_rgb = through_rgb_type elif color._through_rgb_type: target_rgb = color._through_rgb_type else: target_rgb = through_rgb_type for func in conversions: logger.debug(' * Conversion: %s passed to %s()', new_color. __class__.__name__, func) logger.debug(' |-> in %s', new_color) if func: new_color = func(new_color, *args, target_rgb=target_rgb, target_illuminant=target_illuminant, **kwargs) logger.debug(' |-< out %s', new_color) if through_rgb_type != sRGBColor: new_color._through_rgb_type = through_rgb_type return new_color
convert_color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(color, target_cs, through_rgb_type=sRGBColor, target_illuminant=None,\n *args, **kwargs):\n if isinstance(target_cs, str):\n raise ValueError('target_cs parameter must be a Color object.')\n if not issubclass(target_cs, ColorBase):\n raise ValueError('target_cs parameter must be a Color object.')\n conversions = _conversion_manager.get_conversion_path(color.__class__,\n target_cs)\n logger.debug('Converting %s to %s', color, target_cs)\n logger.debug(' @ Conversion path: %s', conversions)\n new_color = color\n if issubclass(target_cs, BaseRGBColor):\n through_rgb_type = target_cs\n if through_rgb_type != sRGBColor:\n target_rgb = through_rgb_type\n elif color._through_rgb_type:\n target_rgb = color._through_rgb_type\n else:\n target_rgb = through_rgb_type\n for func in conversions:\n logger.debug(' * Conversion: %s passed to %s()', new_color.\n __class__.__name__, func)\n logger.debug(' |-> in %s', new_color)\n if func:\n new_color = func(new_color, *args, target_rgb=target_rgb,\n target_illuminant=target_illuminant, **kwargs)\n logger.debug(' |-< out %s', new_color)\n if through_rgb_type != sRGBColor:\n new_color._through_rgb_type = through_rgb_type\n return new_color\n", "role": "user" }, { "content": "convert_color", "role": "assistant" } ]
def x(self, start_type, target_type, conversion_function): self.registered_color_spaces.add(start_type) self.registered_color_spaces.add(target_type) logger.debug('Registered conversion from %s to %s', start_type, target_type )
add_type_conversion
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start_type, target_type, conversion_function):\n self.registered_color_spaces.add(start_type)\n self.registered_color_spaces.add(target_type)\n logger.debug('Registered conversion from %s to %s', start_type, target_type\n )\n", "role": "user" }, { "content": "add_type_conversion", "role": "assistant" } ]
def x(self, f_l, l_a, xyz, xyz_w, xyz_b, xyz_p=None, p=None, helson_judd= False, discount_illuminant=True): rgb = self.xyz_to_rgb(xyz) logger.debug('RGB: {}'.format(rgb)) rgb_w = self.xyz_to_rgb(xyz_w) logger.debug('RGB_W: {}'.format(rgb_w)) y_w = xyz_w[1] y_b = xyz_b[1] h_rgb = 3 * rgb_w / rgb_w.sum() logger.debug('H_RGB: {}'.format(h_rgb)) if not discount_illuminant: f_rgb = (1 + l_a ** (1 / 3) + h_rgb) / (1 + l_a ** (1 / 3) + 1 / h_rgb) else: f_rgb = numpy.ones(numpy.shape(h_rgb)) logger.debug('F_RGB: {}'.format(f_rgb)) if helson_judd: d_rgb = self._f_n(y_b / y_w * f_l * f_rgb[1]) - self._f_n(y_b / y_w * f_l * f_rgb) assert d_rgb[1] == 0 else: d_rgb = numpy.zeros(numpy.shape(f_rgb)) logger.debug('D_RGB: {}'.format(d_rgb)) rgb_b = 10 ** 7 / (10 ** 7 + 5 * l_a * (rgb_w / 100)) logger.debug('B_RGB: {}'.format(rgb_b)) if xyz_p is not None and p is not None: logger.debug('Account for simultaneous chromatic contrast') rgb_p = self.xyz_to_rgb(xyz_p) rgb_w = self.adjust_white_for_scc(rgb_p, rgb_b, rgb_w, p) rgb_a = 1 + rgb_b * (self._f_n(f_l * f_rgb * rgb / rgb_w) + d_rgb) logger.debug('RGB_A: {}'.format(rgb_a)) return rgb_a
adaptation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, f_l, l_a, xyz, xyz_w, xyz_b, xyz_p=None, p=None, helson_judd=\n False, discount_illuminant=True):\n rgb = self.xyz_to_rgb(xyz)\n logger.debug('RGB: {}'.format(rgb))\n rgb_w = self.xyz_to_rgb(xyz_w)\n logger.debug('RGB_W: {}'.format(rgb_w))\n y_w = xyz_w[1]\n y_b = xyz_b[1]\n h_rgb = 3 * rgb_w / rgb_w.sum()\n logger.debug('H_RGB: {}'.format(h_rgb))\n if not discount_illuminant:\n f_rgb = (1 + l_a ** (1 / 3) + h_rgb) / (1 + l_a ** (1 / 3) + 1 / h_rgb)\n else:\n f_rgb = numpy.ones(numpy.shape(h_rgb))\n logger.debug('F_RGB: {}'.format(f_rgb))\n if helson_judd:\n d_rgb = self._f_n(y_b / y_w * f_l * f_rgb[1]) - self._f_n(y_b / y_w *\n f_l * f_rgb)\n assert d_rgb[1] == 0\n else:\n d_rgb = numpy.zeros(numpy.shape(f_rgb))\n logger.debug('D_RGB: {}'.format(d_rgb))\n rgb_b = 10 ** 7 / (10 ** 7 + 5 * l_a * (rgb_w / 100))\n logger.debug('B_RGB: {}'.format(rgb_b))\n if xyz_p is not None and p is not None:\n logger.debug('Account for simultaneous chromatic contrast')\n rgb_p = self.xyz_to_rgb(xyz_p)\n rgb_w = self.adjust_white_for_scc(rgb_p, rgb_b, rgb_w, p)\n rgb_a = 1 + rgb_b * (self._f_n(f_l * f_rgb * rgb / rgb_w) + d_rgb)\n logger.debug('RGB_A: {}'.format(rgb_a))\n return rgb_a\n", "role": "user" }, { "content": "adaptation", "role": "assistant" } ]
def x(cls, rgb_p, rgb_b, rgb_w, p): p_rgb = rgb_p / rgb_b rgb_w = rgb_w * ((1 - p) * p_rgb + (1 + p) / p_rgb) ** 0.5 / ((1 + p) * p_rgb + (1 - p) / p_rgb) ** 0.5 return rgb_w
adjust_white_for_scc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, rgb_p, rgb_b, rgb_w, p):\n p_rgb = rgb_p / rgb_b\n rgb_w = rgb_w * ((1 - p) * p_rgb + (1 + p) / p_rgb) ** 0.5 / ((1 + p) *\n p_rgb + (1 - p) / p_rgb) ** 0.5\n return rgb_w\n", "role": "user" }, { "content": "adjust_white_for_scc", "role": "assistant" } ]
def x(x, y, z): x_e = 0.332 y_e = 0.1858 n = (x / (x + z + z) - x_e) / (y / (x + z + z) - y_e) a_0 = -949.86315 a_1 = 6253.80338 a_2 = 28.70599 a_3 = 4e-05 t_1 = 0.92159 t_2 = 0.20039 t_3 = 0.07125 cct = a_0 + a_1 * numpy.exp(-n / t_1) + a_2 * numpy.exp(-n / t_2 ) + a_3 * numpy.exp(-n / t_3) return cct
get_cct
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x, y, z):\n x_e = 0.332\n y_e = 0.1858\n n = (x / (x + z + z) - x_e) / (y / (x + z + z) - y_e)\n a_0 = -949.86315\n a_1 = 6253.80338\n a_2 = 28.70599\n a_3 = 4e-05\n t_1 = 0.92159\n t_2 = 0.20039\n t_3 = 0.07125\n cct = a_0 + a_1 * numpy.exp(-n / t_1) + a_2 * numpy.exp(-n / t_2\n ) + a_3 * numpy.exp(-n / t_3)\n return cct\n", "role": "user" }, { "content": "get_cct", "role": "assistant" } ]
def x(self, xyz, xyz_w, f_l, d): rgb = self._xyz_to_rgb(xyz) logger.debug('RGB: {}'.format(rgb)) rgb_b = self._xyz_to_rgb(self._xyz_b) rgb_w = self._xyz_to_rgb(xyz_w) rgb_w = Hunt.adjust_white_for_scc(rgb, rgb_b, rgb_w, self._p) logger.debug('RGB_W: {}'.format(rgb_w)) rgb_c = self._white_adaption(rgb, rgb_w, d) logger.debug('RGB_C: {}'.format(rgb_c)) rgb_cw = self._white_adaption(rgb_w, rgb_w, d) logger.debug('RGB_CW: {}'.format(rgb_cw)) rgb_p = self._compute_hunt_pointer_estevez_fundamentals(rgb_c) logger.debug("RGB': {}".format(rgb_p)) rgb_wp = self._compute_hunt_pointer_estevez_fundamentals(rgb_cw) logger.debug("RGB'_W: {}".format(rgb_wp)) rgb_ap = self._compute_nonlinearities(f_l, rgb_p) rgb_awp = self._compute_nonlinearities(f_l, rgb_wp) return rgb_ap, rgb_awp
compute_adaptation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, xyz, xyz_w, f_l, d):\n rgb = self._xyz_to_rgb(xyz)\n logger.debug('RGB: {}'.format(rgb))\n rgb_b = self._xyz_to_rgb(self._xyz_b)\n rgb_w = self._xyz_to_rgb(xyz_w)\n rgb_w = Hunt.adjust_white_for_scc(rgb, rgb_b, rgb_w, self._p)\n logger.debug('RGB_W: {}'.format(rgb_w))\n rgb_c = self._white_adaption(rgb, rgb_w, d)\n logger.debug('RGB_C: {}'.format(rgb_c))\n rgb_cw = self._white_adaption(rgb_w, rgb_w, d)\n logger.debug('RGB_CW: {}'.format(rgb_cw))\n rgb_p = self._compute_hunt_pointer_estevez_fundamentals(rgb_c)\n logger.debug(\"RGB': {}\".format(rgb_p))\n rgb_wp = self._compute_hunt_pointer_estevez_fundamentals(rgb_cw)\n logger.debug(\"RGB'_W: {}\".format(rgb_wp))\n rgb_ap = self._compute_nonlinearities(f_l, rgb_p)\n rgb_awp = self._compute_nonlinearities(f_l, rgb_wp)\n return rgb_ap, rgb_awp\n", "role": "user" }, { "content": "compute_adaptation", "role": "assistant" } ]
def x(self): if self.ok(): return {} errors = self.content if not isinstance(errors, dict): errors = {'error': errors} elif 'errors' in errors: errors = errors['errors'] return errors
errors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.ok():\n return {}\n errors = self.content\n if not isinstance(errors, dict):\n errors = {'error': errors}\n elif 'errors' in errors:\n errors = errors['errors']\n return errors\n", "role": "user" }, { "content": "errors", "role": "assistant" } ]
def x(self, email, phone, country_code=1, send_install_link_via_sms=False): data = {'user': {'email': email, 'cellphone': phone, 'country_code': country_code}, 'send_install_link_via_sms': send_install_link_via_sms} resp = self.post('/protected/json/users/new', data) return User(self, resp)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, email, phone, country_code=1, send_install_link_via_sms=False):\n data = {'user': {'email': email, 'cellphone': phone, 'country_code':\n country_code}, 'send_install_link_via_sms': send_install_link_via_sms}\n resp = self.post('/protected/json/users/new', data)\n return User(self, resp)\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(self, phone_number, country_code, via='sms', locale=None, code_length=4): if via != 'sms' and via != 'call': raise AuthyFormatException("Invalid Via. Expected 'sms' or 'call'.") options = {'phone_number': phone_number, 'country_code': country_code, 'via': via} if locale: options['locale'] = locale try: cl = int(code_length) if cl < 4 or cl > 10: raise ValueError options['code_length'] = cl except ValueError: raise AuthyFormatException( 'Invalid code_length. Expected numeric value from 4-10.') resp = self.post('/protected/json/phones/verification/start', options) return Phone(self, resp)
verification_start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, phone_number, country_code, via='sms', locale=None, code_length=4):\n if via != 'sms' and via != 'call':\n raise AuthyFormatException(\"Invalid Via. Expected 'sms' or 'call'.\")\n options = {'phone_number': phone_number, 'country_code': country_code,\n 'via': via}\n if locale:\n options['locale'] = locale\n try:\n cl = int(code_length)\n if cl < 4 or cl > 10:\n raise ValueError\n options['code_length'] = cl\n except ValueError:\n raise AuthyFormatException(\n 'Invalid code_length. Expected numeric value from 4-10.')\n resp = self.post('/protected/json/phones/verification/start', options)\n return Phone(self, resp)\n", "role": "user" }, { "content": "verification_start", "role": "assistant" } ]
def x(self, phone_number, country_code, verification_code): options = {'phone_number': phone_number, 'country_code': country_code, 'verification_code': verification_code} resp = self.get('/protected/json/phones/verification/check', options) return Phone(self, resp)
verification_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, phone_number, country_code, verification_code):\n options = {'phone_number': phone_number, 'country_code': country_code,\n 'verification_code': verification_code}\n resp = self.get('/protected/json/phones/verification/check', options)\n return Phone(self, resp)\n", "role": "user" }, { "content": "verification_check", "role": "assistant" } ]
def x(self, user_id, message, seconds_to_expire=None, details={}, hidden_details={}, logos=[]): self._validate_request(user_id, message) data = {'message': message[:MAX_STRING_SIZE], 'seconds_to_expire': seconds_to_expire, 'details': self.__clean_inputs(details), 'hidden_details': self.__clean_inputs(hidden_details), 'logos': self.clean_logos(logos)} request_url = '/onetouch/json/users/{0}/approval_requests'.format(user_id) response = self.post(request_url, data) return OneTouchResponse(self, response)
send_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_id, message, seconds_to_expire=None, details={},\n hidden_details={}, logos=[]):\n self._validate_request(user_id, message)\n data = {'message': message[:MAX_STRING_SIZE], 'seconds_to_expire':\n seconds_to_expire, 'details': self.__clean_inputs(details),\n 'hidden_details': self.__clean_inputs(hidden_details), 'logos':\n self.clean_logos(logos)}\n request_url = '/onetouch/json/users/{0}/approval_requests'.format(user_id)\n response = self.post(request_url, data)\n return OneTouchResponse(self, response)\n", "role": "user" }, { "content": "send_request", "role": "assistant" } ]
def x(self, logos): if not len(logos): return logos if not isinstance(logos, list): raise AuthyFormatException( 'Invalid logos list. Only res and url required') temp_array = {} clean_logos = [] for logo in logos: if not isinstance(logo, dict): raise AuthyFormatException('Invalid logo type') for l in logo: if l == 'res': temp_array['res'] = logo[l][:MAX_STRING_SIZE] elif l == 'url': temp_array['url'] = logo[l][:MAX_STRING_SIZE] else: raise AuthyFormatException( 'Invalid logos list. Only res and url required') clean_logos.append(temp_array) temp_array = {} return clean_logos
clean_logos
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, logos):\n if not len(logos):\n return logos\n if not isinstance(logos, list):\n raise AuthyFormatException(\n 'Invalid logos list. Only res and url required')\n temp_array = {}\n clean_logos = []\n for logo in logos:\n if not isinstance(logo, dict):\n raise AuthyFormatException('Invalid logo type')\n for l in logo:\n if l == 'res':\n temp_array['res'] = logo[l][:MAX_STRING_SIZE]\n elif l == 'url':\n temp_array['url'] = logo[l][:MAX_STRING_SIZE]\n else:\n raise AuthyFormatException(\n 'Invalid logos list. Only res and url required')\n clean_logos.append(temp_array)\n temp_array = {}\n return clean_logos\n", "role": "user" }, { "content": "clean_logos", "role": "assistant" } ]
def x(self, uuid): request_url = '/onetouch/json/approval_requests/{0}'.format(uuid) response = self.get(request_url) return OneTouchResponse(self, response)
get_approval_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, uuid):\n request_url = '/onetouch/json/approval_requests/{0}'.format(uuid)\n response = self.get(request_url)\n return OneTouchResponse(self, response)\n", "role": "user" }, { "content": "get_approval_status", "role": "assistant" } ]
def x(self, signature, nonce, method, url, params): if not signature or not isinstance(signature, str): raise AuthyFormatException( 'Invalid signature - should not be empty. It is required') if not nonce: raise AuthyFormatException( 'Invalid nonce - should not be empty. It is required') if not method or not ('get' == method.lower() or 'post' == method.lower()): raise AuthyFormatException( 'Invalid method - should not be empty. It is required') if not params or not isinstance(params, dict): raise AuthyFormatException( 'Invalid params - should not be empty. It is required') query_params = self.__make_http_query(params) sorted_params = '&'.join(sorted(query_params.replace('/', '%2F'). replace('%20', '+').split('&'))) sorted_params = re.sub('\\%5B([0-9])*\\%5D', '%5B%5D', sorted_params) sorted_params = re.sub('\\=None', '=', sorted_params) data = nonce + '|' + method + '|' + url + '|' + sorted_params try: calculated_signature = base64.b64encode(hmac.new(self.api_key. encode(), data.encode(), hashlib.sha256).digest()) return calculated_signature.decode() == signature except: calculated_signature = base64.b64encode(hmac.new(self.api_key, data, hashlib.sha256).digest()) return calculated_signature == signature
validate_one_touch_signature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, signature, nonce, method, url, params):\n if not signature or not isinstance(signature, str):\n raise AuthyFormatException(\n 'Invalid signature - should not be empty. It is required')\n if not nonce:\n raise AuthyFormatException(\n 'Invalid nonce - should not be empty. It is required')\n if not method or not ('get' == method.lower() or 'post' == method.lower()):\n raise AuthyFormatException(\n 'Invalid method - should not be empty. It is required')\n if not params or not isinstance(params, dict):\n raise AuthyFormatException(\n 'Invalid params - should not be empty. It is required')\n query_params = self.__make_http_query(params)\n sorted_params = '&'.join(sorted(query_params.replace('/', '%2F').\n replace('%20', '+').split('&')))\n sorted_params = re.sub('\\\\%5B([0-9])*\\\\%5D', '%5B%5D', sorted_params)\n sorted_params = re.sub('\\\\=None', '=', sorted_params)\n data = nonce + '|' + method + '|' + url + '|' + sorted_params\n try:\n calculated_signature = base64.b64encode(hmac.new(self.api_key.\n encode(), data.encode(), hashlib.sha256).digest())\n return calculated_signature.decode() == signature\n except:\n calculated_signature = base64.b64encode(hmac.new(self.api_key, data,\n hashlib.sha256).digest())\n return calculated_signature == signature\n", "role": "user" }, { "content": "validate_one_touch_signature", "role": "assistant" } ]
def x(self, params, topkey=''): if len(params) == 0: return '' result = '' if type(params) is dict: for key in params.keys(): newkey = quote(key) if topkey != '': newkey = topkey + quote('[' + key + ']') if type(params[key]) is dict: result += self.__make_http_query(params[key], newkey) elif type(params[key]) is list: i = 0 for val in params[key]: if type(val) is dict: result += self.__make_http_query(val, newkey + quote('[' + str(i) + ']')) else: result += newkey + quote('[' + str(i) + ']' ) + '=' + quote(str(val)) + '&' i = i + 1 elif type(params[key]) is bool: result += newkey + '=' + quote(str(params[key]).lower()) + '&' else: result += newkey + '=' + quote(str(params[key])) + '&' if result and topkey == '' and result[-1] == '&': result = result[:-1] return result
make_http_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, params, topkey=''):\n if len(params) == 0:\n return ''\n result = ''\n if type(params) is dict:\n for key in params.keys():\n newkey = quote(key)\n if topkey != '':\n newkey = topkey + quote('[' + key + ']')\n if type(params[key]) is dict:\n result += self.__make_http_query(params[key], newkey)\n elif type(params[key]) is list:\n i = 0\n for val in params[key]:\n if type(val) is dict:\n result += self.__make_http_query(val, newkey +\n quote('[' + str(i) + ']'))\n else:\n result += newkey + quote('[' + str(i) + ']'\n ) + '=' + quote(str(val)) + '&'\n i = i + 1\n elif type(params[key]) is bool:\n result += newkey + '=' + quote(str(params[key]).lower()) + '&'\n else:\n result += newkey + '=' + quote(str(params[key])) + '&'\n if result and topkey == '' and result[-1] == '&':\n result = result[:-1]\n return result\n", "role": "user" }, { "content": "make_http_query", "role": "assistant" } ]
def x(script, vars={}, library_paths=[]): return _pyjq.Script(script.encode('utf-8'), vars=vars, library_paths= library_paths)
compile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(script, vars={}, library_paths=[]):\n return _pyjq.Script(script.encode('utf-8'), vars=vars, library_paths=\n library_paths)\n", "role": "user" }, { "content": "compile", "role": "assistant" } ]
def x(script, value=None, vars={}, url=None, opener=default_opener, library_paths=[]): return all(script, value, vars, url, opener, library_paths)
apply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(script, value=None, vars={}, url=None, opener=default_opener,\n library_paths=[]):\n return all(script, value, vars, url, opener, library_paths)\n", "role": "user" }, { "content": "apply", "role": "assistant" } ]
def x(script, value=None, default=None, vars={}, url=None, opener= default_opener, library_paths=[]): return compile(script, vars, library_paths).first(_get_value(value, url, opener), default)
first
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(script, value=None, default=None, vars={}, url=None, opener=\n default_opener, library_paths=[]):\n return compile(script, vars, library_paths).first(_get_value(value, url,\n opener), default)\n", "role": "user" }, { "content": "first", "role": "assistant" } ]
def x(script, value=None, vars={}, url=None, opener=default_opener, library_paths=[]): return compile(script, vars, library_paths).one(_get_value(value, url, opener))
one
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(script, value=None, vars={}, url=None, opener=default_opener,\n library_paths=[]):\n return compile(script, vars, library_paths).one(_get_value(value, url,\n opener))\n", "role": "user" }, { "content": "one", "role": "assistant" } ]
def x() ->List[str]: typeshed_root = None count = 0 started = time.time() for parent in itertools.chain(Path(__file__).parents, Path(mypy.api. __file__).parents, Path(os.__file__).parents): count += 1 candidate = parent / 'lib' / 'mypy' / 'typeshed' if candidate.is_dir(): typeshed_root = candidate break candidate = parent / 'typeshed' if candidate.is_dir(): typeshed_root = candidate break LOG.debug('Checked %d paths in %.2fs looking for typeshed. Found %s', count, time.time() - started, typeshed_root) if not typeshed_root: return [] stdlib_dirs = '3.7', '3.6', '3.5', '3.4', '3.3', '3.2', '3', '2and3' stdlib_stubs = [(typeshed_root / 'stdlib' / stdlib_dir) for stdlib_dir in stdlib_dirs] third_party_dirs = '3.7', '3.6', '3', '2and3' third_party_stubs = [(typeshed_root / 'third_party' / tp_dir) for tp_dir in third_party_dirs] return [str(p) for p in stdlib_stubs + third_party_stubs]
calculate_mypypath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x() ->List[str]:\n typeshed_root = None\n count = 0\n started = time.time()\n for parent in itertools.chain(Path(__file__).parents, Path(mypy.api.\n __file__).parents, Path(os.__file__).parents):\n count += 1\n candidate = parent / 'lib' / 'mypy' / 'typeshed'\n if candidate.is_dir():\n typeshed_root = candidate\n break\n candidate = parent / 'typeshed'\n if candidate.is_dir():\n typeshed_root = candidate\n break\n LOG.debug('Checked %d paths in %.2fs looking for typeshed. Found %s',\n count, time.time() - started, typeshed_root)\n if not typeshed_root:\n return []\n stdlib_dirs = '3.7', '3.6', '3.5', '3.4', '3.3', '3.2', '3', '2and3'\n stdlib_stubs = [(typeshed_root / 'stdlib' / stdlib_dir) for stdlib_dir in\n stdlib_dirs]\n third_party_dirs = '3.7', '3.6', '3', '2and3'\n third_party_stubs = [(typeshed_root / 'third_party' / tp_dir) for\n tp_dir in third_party_dirs]\n return [str(p) for p in stdlib_stubs + third_party_stubs]\n", "role": "user" }, { "content": "calculate_mypypath", "role": "assistant" } ]
def x(channel, message, **kwargs): pubnub = Pubnub(publish_key=settings.PUBNUB_PUB_KEY, subscribe_key= settings.PUBNUB_SUB_KEY, secret_key=settings.PUBNUB_SEC_KEY, ssl_on =kwargs.pop('ssl_on', False), **kwargs) return pubnub.publish(channel=channel, message={'text': message})
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(channel, message, **kwargs):\n pubnub = Pubnub(publish_key=settings.PUBNUB_PUB_KEY, subscribe_key=\n settings.PUBNUB_SUB_KEY, secret_key=settings.PUBNUB_SEC_KEY, ssl_on\n =kwargs.pop('ssl_on', False), **kwargs)\n return pubnub.publish(channel=channel, message={'text': message})\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(token, title, **kwargs): headers = {'Content-type': 'application/x-www-form-urlencoded', 'User-Agent': 'DBMail/%s' % get_version()} data = {'user_credentials': token, 'notification[title]': from_unicode( title), 'notification[sound]': 'notifier-2'} for k, v in kwargs.items(): data['notification[%s]' % k] = from_unicode(v) http = HTTPSConnection(kwargs.pop('api_url', 'new.boxcar.io')) http.request('POST', '/api/notifications', headers=headers, body= urlencode(data)) response = http.getresponse() if response.status != 201: raise BoxcarError(response.reason) return True
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(token, title, **kwargs):\n headers = {'Content-type': 'application/x-www-form-urlencoded',\n 'User-Agent': 'DBMail/%s' % get_version()}\n data = {'user_credentials': token, 'notification[title]': from_unicode(\n title), 'notification[sound]': 'notifier-2'}\n for k, v in kwargs.items():\n data['notification[%s]' % k] = from_unicode(v)\n http = HTTPSConnection(kwargs.pop('api_url', 'new.boxcar.io'))\n http.request('POST', '/api/notifications', headers=headers, body=\n urlencode(data))\n response = http.getresponse()\n if response.status != 201:\n raise BoxcarError(response.reason)\n return True\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(channel, message, **kwargs): headers = {'Content-type': 'application/x-www-form-urlencoded', 'User-Agent': 'DBMail/%s' % get_version()} username = from_unicode(kwargs.pop('username', settings.SLACK_USERNAME)) hook_url = from_unicode(kwargs.pop('hook_url', settings.SLACK_HOOCK_URL)) channel = from_unicode(channel or settings.SLACK_CHANNEL) emoji = from_unicode(kwargs.pop('emoji', '')) message = from_unicode(message) data = {'channel': channel, 'username': username, 'text': message, 'icon_emoji': emoji} _data = kwargs.pop('data', None) if _data is not None: data.update(_data) up = urlparse(hook_url) http = HTTPSConnection(up.netloc) http.request('POST', up.path, headers=headers, body=urlencode({ 'payload': dumps(data)})) response = http.getresponse() if response.status != 200: raise SlackError(response.reason) body = response.read() if body != 'ok': raise SlackError(repr(body)) return True
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(channel, message, **kwargs):\n headers = {'Content-type': 'application/x-www-form-urlencoded',\n 'User-Agent': 'DBMail/%s' % get_version()}\n username = from_unicode(kwargs.pop('username', settings.SLACK_USERNAME))\n hook_url = from_unicode(kwargs.pop('hook_url', settings.SLACK_HOOCK_URL))\n channel = from_unicode(channel or settings.SLACK_CHANNEL)\n emoji = from_unicode(kwargs.pop('emoji', ''))\n message = from_unicode(message)\n data = {'channel': channel, 'username': username, 'text': message,\n 'icon_emoji': emoji}\n _data = kwargs.pop('data', None)\n if _data is not None:\n data.update(_data)\n up = urlparse(hook_url)\n http = HTTPSConnection(up.netloc)\n http.request('POST', up.path, headers=headers, body=urlencode({\n 'payload': dumps(data)}))\n response = http.getresponse()\n if response.status != 200:\n raise SlackError(response.reason)\n body = response.read()\n if body != 'ok':\n raise SlackError(repr(body))\n return True\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(sms_to, sms_body, **kwargs): headers = {'User-Agent': 'DBMail/%s' % get_version()} kwargs.update({'user': settings.SMSAERO_LOGIN, 'password': settings. SMSAERO_MD5_PASSWORD, 'from': kwargs.pop('sms_from', settings. SMSAERO_FROM), 'to': sms_to.replace('+', ''), 'text': from_unicode( sms_body), 'answer': 'json'}) http = HTTPConnection(kwargs.pop('api_url', 'gate.smsaero.ru')) http.request('GET', '/send/?' + urlencode(kwargs), headers=headers) response = http.getresponse() if response.status != 200: raise AeroSmsError(response.reason) read = response.read().decode(response.headers.get_content_charset()) data = json.loads(read) status = None if 'result' in data: status = data['result'] sms_id = None if 'id' in data: sms_id = data['id'] if sms_id and status == 'accepted': return True return False
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sms_to, sms_body, **kwargs):\n headers = {'User-Agent': 'DBMail/%s' % get_version()}\n kwargs.update({'user': settings.SMSAERO_LOGIN, 'password': settings.\n SMSAERO_MD5_PASSWORD, 'from': kwargs.pop('sms_from', settings.\n SMSAERO_FROM), 'to': sms_to.replace('+', ''), 'text': from_unicode(\n sms_body), 'answer': 'json'})\n http = HTTPConnection(kwargs.pop('api_url', 'gate.smsaero.ru'))\n http.request('GET', '/send/?' + urlencode(kwargs), headers=headers)\n response = http.getresponse()\n if response.status != 200:\n raise AeroSmsError(response.reason)\n read = response.read().decode(response.headers.get_content_charset())\n data = json.loads(read)\n status = None\n if 'result' in data:\n status = data['result']\n sms_id = None\n if 'id' in data:\n sms_id = data['id']\n if sms_id and status == 'accepted':\n return True\n return False\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(email_list): if email_list is None: return {} result = {} for value in email_list: realname, address = email.utils.parseaddr(value) result[address] = realname if realname and address else address return result
email_list_to_email_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(email_list):\n if email_list is None:\n return {}\n result = {}\n for value in email_list:\n realname, address = email.utils.parseaddr(value)\n result[address] = realname if realname and address else address\n return result\n", "role": "user" }, { "content": "email_list_to_email_dict", "role": "assistant" } ]
def x(email_address): realname, address = email.utils.parseaddr(email_address) return [address, realname] if realname and address else [email_address, email_address]
email_address_to_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(email_address):\n realname, address = email.utils.parseaddr(email_address)\n return [address, realname] if realname and address else [email_address,\n email_address]\n", "role": "user" }, { "content": "email_address_to_list", "role": "assistant" } ]
def x(sender_instance): m = Mailin('https://api.sendinblue.com/v2.0', sender_instance._kwargs. get('api_key')) data = {'to': email_list_to_email_dict(sender_instance._recipient_list), 'cc': email_list_to_email_dict(sender_instance._cc), 'bcc': email_list_to_email_dict(sender_instance._bcc), 'from': email_address_to_list(sender_instance._from_email), 'subject': sender_instance._subject} if sender_instance._template.is_html: data.update({'html': sender_instance._message, 'headers': { 'Content-Type': 'text/html; charset=utf-8'}}) else: data.update({'text': sender_instance._message}) if 'attachments' in sender_instance._kwargs: data['attachment'] = {} for attachment in sender_instance._kwargs['attachments']: data['attachment'][attachment[0]] = base64.b64encode(attachment[1]) result = m.send_email(data) if result['code'] != 'success': raise SendInBlueError(result['message'])
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sender_instance):\n m = Mailin('https://api.sendinblue.com/v2.0', sender_instance._kwargs.\n get('api_key'))\n data = {'to': email_list_to_email_dict(sender_instance._recipient_list),\n 'cc': email_list_to_email_dict(sender_instance._cc), 'bcc':\n email_list_to_email_dict(sender_instance._bcc), 'from':\n email_address_to_list(sender_instance._from_email), 'subject':\n sender_instance._subject}\n if sender_instance._template.is_html:\n data.update({'html': sender_instance._message, 'headers': {\n 'Content-Type': 'text/html; charset=utf-8'}})\n else:\n data.update({'text': sender_instance._message})\n if 'attachments' in sender_instance._kwargs:\n data['attachment'] = {}\n for attachment in sender_instance._kwargs['attachments']:\n data['attachment'][attachment[0]] = base64.b64encode(attachment[1])\n result = m.send_email(data)\n if result['code'] != 'success':\n raise SendInBlueError(result['message'])\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(sms_to, sms_body, **kwargs): headers = {'User-Agent': 'DBMail/%s' % get_version(), 'Authorization': 'Basic %s' % b64encode('%s:%s' % (settings.IQSMS_API_LOGIN, settings.IQSMS_API_PASSWORD)).decode('ascii')} kwargs.update({'phone': sms_to, 'text': from_unicode(sms_body), 'sender': kwargs.pop('sms_from', settings.IQSMS_FROM)}) http = HTTPConnection(kwargs.pop('api_url', 'gate.iqsms.ru')) http.request('GET', '/send/?' + urlencode(kwargs), headers=headers) response = http.getresponse() if response.status != 200: raise IQSMSError(response.reason) body = response.read().strip() if '=accepted' not in body: raise IQSMSError(body) return int(body.split('=')[0])
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sms_to, sms_body, **kwargs):\n headers = {'User-Agent': 'DBMail/%s' % get_version(), 'Authorization': \n 'Basic %s' % b64encode('%s:%s' % (settings.IQSMS_API_LOGIN,\n settings.IQSMS_API_PASSWORD)).decode('ascii')}\n kwargs.update({'phone': sms_to, 'text': from_unicode(sms_body),\n 'sender': kwargs.pop('sms_from', settings.IQSMS_FROM)})\n http = HTTPConnection(kwargs.pop('api_url', 'gate.iqsms.ru'))\n http.request('GET', '/send/?' + urlencode(kwargs), headers=headers)\n response = http.getresponse()\n if response.status != 200:\n raise IQSMSError(response.reason)\n body = response.read().strip()\n if '=accepted' not in body:\n raise IQSMSError(body)\n return int(body.split('=')[0])\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(device_id, description, **kwargs): headers = {'X-Parse-Application-Id': settings.PARSE_APP_ID, 'X-Parse-REST-API-Key': settings.PARSE_API_KEY, 'User-Agent': 'DBMail/%s' % get_version(), 'Content-type': 'application/json'} data = {'where': {'user_id': device_id}, 'data': {'alert': description, 'title': kwargs.pop('event')}} _data = kwargs.pop('data', None) if _data is not None: data.update(_data) http = HTTPSConnection(kwargs.pop('api_url', 'api.parse.com')) http.request('POST', '/1/push', headers=headers, body=dumps(data)) response = http.getresponse() if response.status != 200: raise ParseComError(response.reason) body = loads(response.read()) if body['error']: raise ParseComError(body['error']) return True
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(device_id, description, **kwargs):\n headers = {'X-Parse-Application-Id': settings.PARSE_APP_ID,\n 'X-Parse-REST-API-Key': settings.PARSE_API_KEY, 'User-Agent': \n 'DBMail/%s' % get_version(), 'Content-type': 'application/json'}\n data = {'where': {'user_id': device_id}, 'data': {'alert': description,\n 'title': kwargs.pop('event')}}\n _data = kwargs.pop('data', None)\n if _data is not None:\n data.update(_data)\n http = HTTPSConnection(kwargs.pop('api_url', 'api.parse.com'))\n http.request('POST', '/1/push', headers=headers, body=dumps(data))\n response = http.getresponse()\n if response.status != 200:\n raise ParseComError(response.reason)\n body = loads(response.read())\n if body['error']:\n raise ParseComError(body['error'])\n return True\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(api_key, description, **kwargs): headers = {'User-Agent': 'DBMail/%s' % get_version(), 'Content-type': 'application/x-www-form-urlencoded'} application = from_unicode(kwargs.pop('app', settings.PROWL_APP), 256) event = from_unicode(kwargs.pop('event', 'Alert'), 1024) description = from_unicode(description, 10000) data = {'apikey': api_key, 'application': application, 'event': event, 'description': description, 'priority': kwargs.pop('priority', 1)} provider_key = kwargs.pop('providerkey', None) url = kwargs.pop('url', None) if provider_key is not None: data['providerkey'] = provider_key if url is not None: data['url'] = url[0:512] http = HTTPSConnection(kwargs.pop('api_url', 'api.prowlapp.com')) http.request('POST', '/publicapi/add', headers=headers, body=urlencode( data)) response = http.getresponse() if response.status != 200: raise ProwlError(response.reason) return True
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(api_key, description, **kwargs):\n headers = {'User-Agent': 'DBMail/%s' % get_version(), 'Content-type':\n 'application/x-www-form-urlencoded'}\n application = from_unicode(kwargs.pop('app', settings.PROWL_APP), 256)\n event = from_unicode(kwargs.pop('event', 'Alert'), 1024)\n description = from_unicode(description, 10000)\n data = {'apikey': api_key, 'application': application, 'event': event,\n 'description': description, 'priority': kwargs.pop('priority', 1)}\n provider_key = kwargs.pop('providerkey', None)\n url = kwargs.pop('url', None)\n if provider_key is not None:\n data['providerkey'] = provider_key\n if url is not None:\n data['url'] = url[0:512]\n http = HTTPSConnection(kwargs.pop('api_url', 'api.prowlapp.com'))\n http.request('POST', '/publicapi/add', headers=headers, body=urlencode(\n data))\n response = http.getresponse()\n if response.status != 200:\n raise ProwlError(response.reason)\n return True\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(token_hex, message, **kwargs): is_enhanced = kwargs.pop('is_enhanced', False) identifier = kwargs.pop('identifier', 0) expiry = kwargs.pop('expiry', 0) alert = {'title': kwargs.pop('event'), 'body': message, 'action': kwargs.pop('apns_action', defaults.APNS_PROVIDER_DEFAULT_ACTION)} data = {'aps': {'alert': alert, 'content-available': kwargs.pop( 'content_available', 0) and 1}} data['aps'].update(kwargs) payload = dumps(data, separators=(',', ':')) token = a2b_hex(token_hex) if is_enhanced is True: fmt = '!BIIH32sH%ds' % len(payload) expiry = expiry and time() + expiry notification = pack(fmt, 1, identifier, expiry, 32, token, len( payload), payload) else: token_length_bin = pack('>H', len(token)) payload_length_bin = pack('>H', len(payload)) zero_byte = bytes('\x00', 'utf-8') if PY3 is True else '\x00' payload = bytes(payload, 'utf-8') if PY3 is True else payload notification = (zero_byte + token_length_bin + token + payload_length_bin + payload) sock = socket(AF_INET, SOCK_STREAM) sock.settimeout(3) sock.connect((settings.APNS_GW_HOST, settings.APNS_GW_PORT)) ssl = wrap_socket(sock, settings.APNS_KEY_FILE, settings.APNS_CERT_FILE, do_handshake_on_connect=False) result = ssl.write(notification) sock.close() ssl.close() if not result: raise APNsError return True
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(token_hex, message, **kwargs):\n is_enhanced = kwargs.pop('is_enhanced', False)\n identifier = kwargs.pop('identifier', 0)\n expiry = kwargs.pop('expiry', 0)\n alert = {'title': kwargs.pop('event'), 'body': message, 'action':\n kwargs.pop('apns_action', defaults.APNS_PROVIDER_DEFAULT_ACTION)}\n data = {'aps': {'alert': alert, 'content-available': kwargs.pop(\n 'content_available', 0) and 1}}\n data['aps'].update(kwargs)\n payload = dumps(data, separators=(',', ':'))\n token = a2b_hex(token_hex)\n if is_enhanced is True:\n fmt = '!BIIH32sH%ds' % len(payload)\n expiry = expiry and time() + expiry\n notification = pack(fmt, 1, identifier, expiry, 32, token, len(\n payload), payload)\n else:\n token_length_bin = pack('>H', len(token))\n payload_length_bin = pack('>H', len(payload))\n zero_byte = bytes('\\x00', 'utf-8') if PY3 is True else '\\x00'\n payload = bytes(payload, 'utf-8') if PY3 is True else payload\n notification = (zero_byte + token_length_bin + token +\n payload_length_bin + payload)\n sock = socket(AF_INET, SOCK_STREAM)\n sock.settimeout(3)\n sock.connect((settings.APNS_GW_HOST, settings.APNS_GW_PORT))\n ssl = wrap_socket(sock, settings.APNS_KEY_FILE, settings.APNS_CERT_FILE,\n do_handshake_on_connect=False)\n result = ssl.write(notification)\n sock.close()\n ssl.close()\n if not result:\n raise APNsError\n return True\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(ch, message, **kwargs): params = {'type': kwargs.pop('req_type', 'self'), 'key': settings. PUSHALL_API_KEYS[ch]['key'], 'id': settings.PUSHALL_API_KEYS[ch][ 'id'], 'title': kwargs.pop('title', settings.PUSHALL_API_KEYS[ch]. get('title') or ''), 'text': message, 'priority': kwargs.pop( 'priority', settings.PUSHALL_API_KEYS[ch].get('priority') or '0')} if kwargs: params.update(**kwargs) response = urlopen(Request('https://pushall.ru/api.php'), urlencode( params), timeout=10) if response.code != 200: raise PushAllError(response.read()) json = loads(response.read()) if json.get('error'): raise PushAllError(json.get('error')) return True
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ch, message, **kwargs):\n params = {'type': kwargs.pop('req_type', 'self'), 'key': settings.\n PUSHALL_API_KEYS[ch]['key'], 'id': settings.PUSHALL_API_KEYS[ch][\n 'id'], 'title': kwargs.pop('title', settings.PUSHALL_API_KEYS[ch].\n get('title') or ''), 'text': message, 'priority': kwargs.pop(\n 'priority', settings.PUSHALL_API_KEYS[ch].get('priority') or '0')}\n if kwargs:\n params.update(**kwargs)\n response = urlopen(Request('https://pushall.ru/api.php'), urlencode(\n params), timeout=10)\n if response.code != 200:\n raise PushAllError(response.read())\n json = loads(response.read())\n if json.get('error'):\n raise PushAllError(json.get('error'))\n return True\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(to, message, **kwargs): available_kwargs_keys = ['parse_mode', 'disable_web_page_preview', 'disable_notification', 'reply_to_message_id', 'reply_markup'] available_kwargs = {k: v for k, v in kwargs.iteritems() if k in available_kwargs_keys} bot = telepot.Bot(settings.TELEGRAM_BOT_TOKEN) return bot.sendMessage(to, message, **available_kwargs)
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(to, message, **kwargs):\n available_kwargs_keys = ['parse_mode', 'disable_web_page_preview',\n 'disable_notification', 'reply_to_message_id', 'reply_markup']\n available_kwargs = {k: v for k, v in kwargs.iteritems() if k in\n available_kwargs_keys}\n bot = telepot.Bot(settings.TELEGRAM_BOT_TOKEN)\n return bot.sendMessage(to, message, **available_kwargs)\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(reg_id, message, **kwargs): subscription_info = kwargs.pop('subscription_info') payload = {'title': kwargs.pop('event'), 'body': message, 'url': kwargs .pop('push_url', None)} payload.update(kwargs) wp = WebPusher(subscription_info) response = wp.send(dumps(payload), gcm_key=settings.GCM_KEY, ttl=kwargs .pop('ttl', 60)) if not response.ok or response.text and loads(response.text).get('failure' ) > 0: raise GCMError(response.text) return True
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(reg_id, message, **kwargs):\n subscription_info = kwargs.pop('subscription_info')\n payload = {'title': kwargs.pop('event'), 'body': message, 'url': kwargs\n .pop('push_url', None)}\n payload.update(kwargs)\n wp = WebPusher(subscription_info)\n response = wp.send(dumps(payload), gcm_key=settings.GCM_KEY, ttl=kwargs\n .pop('ttl', 60))\n if not response.ok or response.text and loads(response.text).get('failure'\n ) > 0:\n raise GCMError(response.text)\n return True\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(token_hex, message, **kwargs): priority = kwargs.pop('priority', 10) topic = kwargs.pop('topic', None) alert = {'title': kwargs.pop('event'), 'body': message, 'action': kwargs.pop('apns_action', defaults.APNS_PROVIDER_DEFAULT_ACTION)} data = {'aps': {'alert': alert, 'content-available': kwargs.pop( 'content_available', 0) and 1}} data['aps'].update(kwargs) payload = dumps(data, separators=(',', ':')) headers = {'apns-priority': priority} if topic is not None: headers['apns-topic'] = topic ssl_context = init_context() ssl_context.load_cert_chain(settings.APNS_CERT_FILE) connection = HTTP20Connection(settings.APNS_GW_HOST, settings. APNS_GW_PORT, ssl_context=ssl_context) stream_id = connection.request('POST', '/3/device/{}'.format(token_hex), payload, headers) response = connection.get_response(stream_id) if response.status != 200: raise APNsError(response.read()) return True
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(token_hex, message, **kwargs):\n priority = kwargs.pop('priority', 10)\n topic = kwargs.pop('topic', None)\n alert = {'title': kwargs.pop('event'), 'body': message, 'action':\n kwargs.pop('apns_action', defaults.APNS_PROVIDER_DEFAULT_ACTION)}\n data = {'aps': {'alert': alert, 'content-available': kwargs.pop(\n 'content_available', 0) and 1}}\n data['aps'].update(kwargs)\n payload = dumps(data, separators=(',', ':'))\n headers = {'apns-priority': priority}\n if topic is not None:\n headers['apns-topic'] = topic\n ssl_context = init_context()\n ssl_context.load_cert_chain(settings.APNS_CERT_FILE)\n connection = HTTP20Connection(settings.APNS_GW_HOST, settings.\n APNS_GW_PORT, ssl_context=ssl_context)\n stream_id = connection.request('POST', '/3/device/{}'.format(token_hex),\n payload, headers)\n response = connection.get_response(stream_id)\n if response.status != 200:\n raise APNsError(response.read())\n return True\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(sms_to, sms_body, **kwargs): headers = {'Content-type': 'application/x-www-form-urlencoded', 'User-Agent': 'DBMail/%s' % get_version(), 'Authorization': 'Basic %s' % b64encode('%s:%s' % (settings.TWILIO_ACCOUNT_SID, settings.TWILIO_AUTH_TOKEN)).decode('ascii')} kwargs.update({'From': kwargs.pop('sms_from', settings.TWILIO_FROM), 'To': sms_to, 'Body': from_unicode(sms_body)}) http = HTTPSConnection(kwargs.pop('api_url', 'api.twilio.com')) http.request('POST', '/2010-04-01/Accounts/%s/Messages.json' % settings .TWILIO_ACCOUNT_SID, headers=headers, body=urlencode(kwargs)) response = http.getresponse() if response.status != 201: raise TwilioSmsError(response.reason) return loads(response.read()).get('sid')
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sms_to, sms_body, **kwargs):\n headers = {'Content-type': 'application/x-www-form-urlencoded',\n 'User-Agent': 'DBMail/%s' % get_version(), 'Authorization': \n 'Basic %s' % b64encode('%s:%s' % (settings.TWILIO_ACCOUNT_SID,\n settings.TWILIO_AUTH_TOKEN)).decode('ascii')}\n kwargs.update({'From': kwargs.pop('sms_from', settings.TWILIO_FROM),\n 'To': sms_to, 'Body': from_unicode(sms_body)})\n http = HTTPSConnection(kwargs.pop('api_url', 'api.twilio.com'))\n http.request('POST', '/2010-04-01/Accounts/%s/Messages.json' % settings\n .TWILIO_ACCOUNT_SID, headers=headers, body=urlencode(kwargs))\n response = http.getresponse()\n if response.status != 201:\n raise TwilioSmsError(response.reason)\n return loads(response.read()).get('sid')\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(user, message, **kwargs): headers = {'Content-type': 'application/x-www-form-urlencoded', 'User-Agent': 'DBMail/%s' % get_version()} title = from_unicode(kwargs.pop('title', settings.PUSHOVER_APP)) message = from_unicode(message) data = {'token': settings.PUSHOVER_TOKEN, 'user': user, 'message': message, 'title': title, 'priority': kwargs.pop('priority', 0)} _data = kwargs.pop('data', None) if _data is not None: data.update(_data) http = HTTPSConnection(kwargs.pop('api_url', 'api.pushover.net')) http.request('POST', '/1/messages.json', headers=headers, body= urlencode(data)) response = http.getresponse() if response.status != 200: raise PushOverError(response.reason) body = loads(response.read()) if body.get('status') != 1: raise PushOverError(repr(body)) return True
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(user, message, **kwargs):\n headers = {'Content-type': 'application/x-www-form-urlencoded',\n 'User-Agent': 'DBMail/%s' % get_version()}\n title = from_unicode(kwargs.pop('title', settings.PUSHOVER_APP))\n message = from_unicode(message)\n data = {'token': settings.PUSHOVER_TOKEN, 'user': user, 'message':\n message, 'title': title, 'priority': kwargs.pop('priority', 0)}\n _data = kwargs.pop('data', None)\n if _data is not None:\n data.update(_data)\n http = HTTPSConnection(kwargs.pop('api_url', 'api.pushover.net'))\n http.request('POST', '/1/messages.json', headers=headers, body=\n urlencode(data))\n response = http.getresponse()\n if response.status != 200:\n raise PushOverError(response.reason)\n body = loads(response.read())\n if body.get('status') != 1:\n raise PushOverError(repr(body))\n return True\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(user, message, **kwargs): headers = {'Content-type': 'application/json', 'Authorization': 'key=' + kwargs.pop('gcm_key', settings.GCM_KEY)} hook_url = 'https://android.googleapis.com/gcm/send' data = {'registration_ids': [user], 'data': {'title': kwargs.pop( 'event'), 'message': message}} data['data'].update(kwargs) up = urlparse(hook_url) http = HTTPSConnection(up.netloc) http.request('POST', up.path, headers=headers, body=dumps(data)) response = http.getresponse() if response.status != 200: raise GCMError(response.reason) body = response.read() if loads(body).get('failure') > 0: raise GCMError(repr(body)) return True
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(user, message, **kwargs):\n headers = {'Content-type': 'application/json', 'Authorization': 'key=' +\n kwargs.pop('gcm_key', settings.GCM_KEY)}\n hook_url = 'https://android.googleapis.com/gcm/send'\n data = {'registration_ids': [user], 'data': {'title': kwargs.pop(\n 'event'), 'message': message}}\n data['data'].update(kwargs)\n up = urlparse(hook_url)\n http = HTTPSConnection(up.netloc)\n http.request('POST', up.path, headers=headers, body=dumps(data))\n response = http.getresponse()\n if response.status != 200:\n raise GCMError(response.reason)\n body = response.read()\n if loads(body).get('failure') > 0:\n raise GCMError(repr(body))\n return True\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(*, device, size, debug, forward): import augeas class Augeas(augeas.Augeas): def x(self, key): return int(self.get(key + '/int')) def x(self, key, val): return self.set(key + '/int', '%d' % val) def x(self, key, by=1): orig = self.get_int(key) self.set_int(key, orig + by) def x(self, key): self.incr(key, by=-1) lv_info = subprocess.check_output( 'lvm lvs --noheadings --rows --units=b --nosuffix -o vg_name,vg_uuid,lv_name,lv_uuid,lv_attr --' .split() + [device.devpath], universal_newlines=True).splitlines() vgname, vg_uuid, lvname, lv_uuid, lv_attr = (fi.lstrip() for fi in lv_info) active = lv_attr[4] == 'a' quiet_call(['lvm', 'lvchange', '-an', '--', '{}/{}'.format(vgname, lvname)] ) with tempfile.TemporaryDirectory(suffix='.blocks') as tdname: vgcfgname = tdname + '/vg.cfg' print('Loading LVM metadata... ', end='', flush=True) quiet_call(['lvm', 'vgcfgbackup', '--file', vgcfgname, '--', vgname]) aug = Augeas(loadpath=pkg_resources.resource_filename('blocks', 'augeas'), root='/dev/null', flags=augeas.Augeas. NO_MODL_AUTOLOAD | augeas.Augeas.SAVE_NEWFILE) vgcfg = open(vgcfgname) vgcfg_orig = vgcfg.read() aug.set('/raw/vgcfg', vgcfg_orig) aug.text_store('LVM.lns', '/raw/vgcfg', '/vg') print('ok') assert all(ch in ASCII_ALNUM_WHITELIST for ch in vgname), vgname assert all(ch in ASCII_ALNUM_WHITELIST for ch in lvname), lvname aug.defvar('vg', '/vg/{}/dict'.format(vgname)) assert aug.get('$vg/id/str') == vg_uuid aug.defvar('lv', '$vg/logical_volumes/dict/{}/dict'.format(lvname)) assert aug.get('$lv/id/str') == lv_uuid rotate_aug(aug, forward, size) aug.text_retrieve('LVM.lns', '/raw/vgcfg', '/vg', '/raw/vgcfg.new') open(vgcfgname + '.new', 'w').write(aug.get('/raw/vgcfg.new')) rotate_aug(aug, not forward, size) aug.text_retrieve('LVM.lns', '/raw/vgcfg', '/vg', '/raw/vgcfg.backagain') open(vgcfgname + '.backagain', 'w').write(aug.get( '/raw/vgcfg.backagain')) if debug: print('CHECK STABILITY') subprocess.call(['git', '--no-pager', 'diff', '--no-index', '--patience', '--color-words', '--', vgcfgname, vgcfgname + '.backagain']) if forward: print('CHECK CORRECTNESS (forward)') else: print('CHECK CORRECTNESS (backward)') subprocess.call(['git', '--no-pager', 'diff', '--no-index', '--patience', '--color-words', '--', vgcfgname, vgcfgname + '.new']) if forward: print('Rotating the second extent to be the first... ', end='', flush=True) else: print('Rotating the last extent to be the first... ', end='', flush=True) quiet_call(['lvm', 'vgcfgrestore', '--file', vgcfgname + '.new', '--', vgname]) quiet_call(['lvm', 'lvchange', '--refresh', '--', '{}/{}'.format( vgname, lvname)]) if active: quiet_call(['lvm', 'lvchange', '-ay', '--', '{}/{}'.format( vgname, lvname)]) print('ok')
rotate_lv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*, device, size, debug, forward):\n import augeas\n\n\n class Augeas(augeas.Augeas):\n\n def x(self, key):\n return int(self.get(key + '/int'))\n\n def x(self, key, val):\n return self.set(key + '/int', '%d' % val)\n\n def x(self, key, by=1):\n orig = self.get_int(key)\n self.set_int(key, orig + by)\n\n def x(self, key):\n self.incr(key, by=-1)\n lv_info = subprocess.check_output(\n 'lvm lvs --noheadings --rows --units=b --nosuffix -o vg_name,vg_uuid,lv_name,lv_uuid,lv_attr --'\n .split() + [device.devpath], universal_newlines=True).splitlines()\n vgname, vg_uuid, lvname, lv_uuid, lv_attr = (fi.lstrip() for fi in lv_info)\n active = lv_attr[4] == 'a'\n quiet_call(['lvm', 'lvchange', '-an', '--', '{}/{}'.format(vgname, lvname)]\n )\n with tempfile.TemporaryDirectory(suffix='.blocks') as tdname:\n vgcfgname = tdname + '/vg.cfg'\n print('Loading LVM metadata... ', end='', flush=True)\n quiet_call(['lvm', 'vgcfgbackup', '--file', vgcfgname, '--', vgname])\n aug = Augeas(loadpath=pkg_resources.resource_filename('blocks',\n 'augeas'), root='/dev/null', flags=augeas.Augeas.\n NO_MODL_AUTOLOAD | augeas.Augeas.SAVE_NEWFILE)\n vgcfg = open(vgcfgname)\n vgcfg_orig = vgcfg.read()\n aug.set('/raw/vgcfg', vgcfg_orig)\n aug.text_store('LVM.lns', '/raw/vgcfg', '/vg')\n print('ok')\n assert all(ch in ASCII_ALNUM_WHITELIST for ch in vgname), vgname\n assert all(ch in ASCII_ALNUM_WHITELIST for ch in lvname), lvname\n aug.defvar('vg', '/vg/{}/dict'.format(vgname))\n assert aug.get('$vg/id/str') == vg_uuid\n aug.defvar('lv', '$vg/logical_volumes/dict/{}/dict'.format(lvname))\n assert aug.get('$lv/id/str') == lv_uuid\n rotate_aug(aug, forward, size)\n aug.text_retrieve('LVM.lns', '/raw/vgcfg', '/vg', '/raw/vgcfg.new')\n open(vgcfgname + '.new', 'w').write(aug.get('/raw/vgcfg.new'))\n rotate_aug(aug, not forward, size)\n aug.text_retrieve('LVM.lns', '/raw/vgcfg', '/vg',\n '/raw/vgcfg.backagain')\n open(vgcfgname + '.backagain', 'w').write(aug.get(\n '/raw/vgcfg.backagain'))\n if debug:\n print('CHECK STABILITY')\n subprocess.call(['git', '--no-pager', 'diff', '--no-index',\n '--patience', '--color-words', '--', vgcfgname, vgcfgname +\n '.backagain'])\n if forward:\n print('CHECK CORRECTNESS (forward)')\n else:\n print('CHECK CORRECTNESS (backward)')\n subprocess.call(['git', '--no-pager', 'diff', '--no-index',\n '--patience', '--color-words', '--', vgcfgname, vgcfgname +\n '.new'])\n if forward:\n print('Rotating the second extent to be the first... ', end='',\n flush=True)\n else:\n print('Rotating the last extent to be the first... ', end='',\n flush=True)\n quiet_call(['lvm', 'vgcfgrestore', '--file', vgcfgname + '.new',\n '--', vgname])\n quiet_call(['lvm', 'lvchange', '--refresh', '--', '{}/{}'.format(\n vgname, lvname)])\n if active:\n quiet_call(['lvm', 'lvchange', '-ay', '--', '{}/{}'.format(\n vgname, lvname)])\n print('ok')\n", "role": "user" }, { "content": "rotate_lv", "role": "assistant" } ]
def x(value, proptype=str): if type(value) is bytes: return value elif type(value) is bool: return b'yes' if value else b'no' elif proptype in (str, int, float): return str(proptype(value)).encode('utf-8') else: raise TypeError('Cannot coax value of type {} into property type {}' .format(type(value), proptype))
mpv_coax_proptype
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, proptype=str):\n if type(value) is bytes:\n return value\n elif type(value) is bool:\n return b'yes' if value else b'no'\n elif proptype in (str, int, float):\n return str(proptype(value)).encode('utf-8')\n else:\n raise TypeError('Cannot coax value of type {} into property type {}'\n .format(type(value), proptype))\n", "role": "user" }, { "content": "mpv_coax_proptype", "role": "assistant" } ]
def x(l): char_ps = [c_char_p(_mpv_coax_proptype(e, str)) for e in l] node_list = MpvNodeList(num=len(l), keys=None, values=(MpvNode * len(l) )(*[MpvNode(format=MpvFormat.STRING, val=MpvNodeUnion(string=p)) for p in char_ps])) node = MpvNode(format=MpvFormat.NODE_ARRAY, val=MpvNodeUnion(list= pointer(node_list))) return char_ps, node_list, node, cast(pointer(node), c_void_p)
make_node_str_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(l):\n char_ps = [c_char_p(_mpv_coax_proptype(e, str)) for e in l]\n node_list = MpvNodeList(num=len(l), keys=None, values=(MpvNode * len(l)\n )(*[MpvNode(format=MpvFormat.STRING, val=MpvNodeUnion(string=p)) for\n p in char_ps]))\n node = MpvNode(format=MpvFormat.NODE_ARRAY, val=MpvNodeUnion(list=\n pointer(node_list)))\n return char_ps, node_list, node, cast(pointer(node), c_void_p)\n", "role": "user" }, { "content": "make_node_str_list", "role": "assistant" } ]
def x(self, name, cond=lambda val: val, level_sensitive=True): sema = threading.Semaphore(value=0) def x(name, val): if cond(val): sema.release() self.observe_property(name, observer) if not level_sensitive or not cond(getattr(self, name.replace('-', '_'))): sema.acquire() self.unobserve_property(name, observer)
wait_for_property
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, cond=lambda val: val, level_sensitive=True):\n sema = threading.Semaphore(value=0)\n\n def x(name, val):\n if cond(val):\n sema.release()\n self.observe_property(name, observer)\n if not level_sensitive or not cond(getattr(self, name.replace('-', '_'))):\n sema.acquire()\n self.unobserve_property(name, observer)\n", "role": "user" }, { "content": "wait_for_property", "role": "assistant" } ]
def x(self): self.handle, handle = None, self.handle if threading.current_thread() is self._event_thread: grim_reaper = threading.Thread(target=lambda : _mpv_terminate_destroy(handle)) grim_reaper.start() else: _mpv_terminate_destroy(handle) if self._event_thread: self._event_thread.join()
terminate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.handle, handle = None, self.handle\n if threading.current_thread() is self._event_thread:\n grim_reaper = threading.Thread(target=lambda :\n _mpv_terminate_destroy(handle))\n grim_reaper.start()\n else:\n _mpv_terminate_destroy(handle)\n if self._event_thread:\n self._event_thread.join()\n", "role": "user" }, { "content": "terminate", "role": "assistant" } ]
def x(self, name, *args): args = [name.encode('utf-8')] + [(arg if type(arg) is bytes else str( arg).encode('utf-8')) for arg in args if arg is not None] + [None] _mpv_command(self.handle, (c_char_p * len(args))(*args))
command
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, *args):\n args = [name.encode('utf-8')] + [(arg if type(arg) is bytes else str(\n arg).encode('utf-8')) for arg in args if arg is not None] + [None]\n _mpv_command(self.handle, (c_char_p * len(args))(*args))\n", "role": "user" }, { "content": "command", "role": "assistant" } ]
def x(self, amount, reference='relative', precision='default-precise'): self.command('seek', amount, reference, precision)
seek
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, amount, reference='relative', precision='default-precise'):\n self.command('seek', amount, reference, precision)\n", "role": "user" }, { "content": "seek", "role": "assistant" } ]
def x(self, filename, includes='subtitles'): self.command('screenshot_to_file', filename.encode(fs_enc), includes)
screenshot_to_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, includes='subtitles'):\n self.command('screenshot_to_file', filename.encode(fs_enc), includes)\n", "role": "user" }, { "content": "screenshot_to_file", "role": "assistant" } ]
def x(self, includes='subtitles'): from PIL import Image res = self.node_command('screenshot-raw', includes) if res['format'] != 'bgr0': raise ValueError( 'Screenshot in unknown format "{}". Currently, only bgr0 is supported.' .format(res['format'])) img = Image.frombytes('RGBA', (res['w'], res['h']), res['data']) b, g, r, a = img.split() return Image.merge('RGB', (r, g, b))
screenshot_raw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, includes='subtitles'):\n from PIL import Image\n res = self.node_command('screenshot-raw', includes)\n if res['format'] != 'bgr0':\n raise ValueError(\n 'Screenshot in unknown format \"{}\". Currently, only bgr0 is supported.'\n .format(res['format']))\n img = Image.frombytes('RGBA', (res['w'], res['h']), res['data'])\n b, g, r, a = img.split()\n return Image.merge('RGB', (r, g, b))\n", "role": "user" }, { "content": "screenshot_raw", "role": "assistant" } ]
def x(self, filename, mode='replace', **options): self.command('loadfile', filename.encode(fs_enc), mode, MPV. _encode_options(options))
loadfile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, mode='replace', **options):\n self.command('loadfile', filename.encode(fs_enc), mode, MPV.\n _encode_options(options))\n", "role": "user" }, { "content": "loadfile", "role": "assistant" } ]
def x(self, playlist, mode='replace'): self.command('loadlist', playlist.encode(fs_enc), mode)
loadlist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, playlist, mode='replace'):\n self.command('loadlist', playlist.encode(fs_enc), mode)\n", "role": "user" }, { "content": "loadlist", "role": "assistant" } ]
def x(self, overlay_id, x, y, file_or_fd, offset, fmt, w, h, stride): self.command('overlay_add', overlay_id, x, y, file_or_fd, offset, fmt, w, h, stride)
overlay_add
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, overlay_id, x, y, file_or_fd, offset, fmt, w, h, stride):\n self.command('overlay_add', overlay_id, x, y, file_or_fd, offset, fmt,\n w, h, stride)\n", "role": "user" }, { "content": "overlay_add", "role": "assistant" } ]
def x(self, name, handler): self._property_handlers[name].append(handler) _mpv_observe_property(self._event_handle, hash(name) & 18446744073709551615, name.encode('utf-8'), MpvFormat.NODE)
observe_property
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, handler):\n self._property_handlers[name].append(handler)\n _mpv_observe_property(self._event_handle, hash(name) & \n 18446744073709551615, name.encode('utf-8'), MpvFormat.NODE)\n", "role": "user" }, { "content": "observe_property", "role": "assistant" } ]
def x(self, name): def x(fun): self.observe_property(name, fun) fun.unobserve_mpv_properties = lambda : self.unobserve_property(name, fun) return fun return wrapper
property_observer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n\n def x(fun):\n self.observe_property(name, fun)\n fun.unobserve_mpv_properties = lambda : self.unobserve_property(name,\n fun)\n return fun\n return wrapper\n", "role": "user" }, { "content": "property_observer", "role": "assistant" } ]
def x(self, name, handler): self._property_handlers[name].remove(handler) if not self._property_handlers[name]: _mpv_unobserve_property(self._event_handle, hash(name) & 18446744073709551615)
unobserve_property
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, handler):\n self._property_handlers[name].remove(handler)\n if not self._property_handlers[name]:\n _mpv_unobserve_property(self._event_handle, hash(name) & \n 18446744073709551615)\n", "role": "user" }, { "content": "unobserve_property", "role": "assistant" } ]
def x(self, handler): for name in self._property_handlers: self.unobserve_property(name, handler)
unobserve_all_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, handler):\n for name in self._property_handlers:\n self.unobserve_property(name, handler)\n", "role": "user" }, { "content": "unobserve_all_properties", "role": "assistant" } ]
def x(self, target_or_handler): if isinstance(target_or_handler, str): del self._message_handlers[target_or_handler] else: for key, val in self._message_handlers.items(): if val == target_or_handler: del self._message_handlers[key]
unregister_message_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target_or_handler):\n if isinstance(target_or_handler, str):\n del self._message_handlers[target_or_handler]\n else:\n for key, val in self._message_handlers.items():\n if val == target_or_handler:\n del self._message_handlers[key]\n", "role": "user" }, { "content": "unregister_message_handler", "role": "assistant" } ]
def x(self, target): def x(handler): self._register_message_handler_internal(target, handler) handler.unregister_mpv_messages = (lambda : self. unregister_message_handler(handler)) return handler return register
message_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, target):\n\n def x(handler):\n self._register_message_handler_internal(target, handler)\n handler.unregister_mpv_messages = (lambda : self.\n unregister_message_handler(handler))\n return handler\n return register\n", "role": "user" }, { "content": "message_handler", "role": "assistant" } ]
def x(self, *event_types): def x(callback): types = [(MpvEventID.from_str(t) if isinstance(t, str) else t) for t in event_types] or MpvEventID.ANY @wraps(callback) def x(event, *args, **kwargs): if event['event_id'] in types: callback(event, *args, **kwargs) self._event_callbacks.append(wrapper) wrapper.unregister_mpv_events = partial(self. unregister_event_callback, wrapper) return wrapper return register
event_callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *event_types):\n\n def x(callback):\n types = [(MpvEventID.from_str(t) if isinstance(t, str) else t) for\n t in event_types] or MpvEventID.ANY\n\n @wraps(callback)\n def x(event, *args, **kwargs):\n if event['event_id'] in types:\n callback(event, *args, **kwargs)\n self._event_callbacks.append(wrapper)\n wrapper.unregister_mpv_events = partial(self.\n unregister_event_callback, wrapper)\n return wrapper\n return register\n", "role": "user" }, { "content": "event_callback", "role": "assistant" } ]
def x(self, keydef, mode='force'): def x(fun): @self.key_binding(keydef, mode) @wraps(fun) def x(state='p-', name=None): if state[0] in ('d', 'p'): fun() return wrapper return register
on_key_press
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keydef, mode='force'):\n\n def x(fun):\n\n @self.key_binding(keydef, mode)\n @wraps(fun)\n def x(state='p-', name=None):\n if state[0] in ('d', 'p'):\n fun()\n return wrapper\n return register\n", "role": "user" }, { "content": "on_key_press", "role": "assistant" } ]
def x(self, keydef, mode='force'): def x(fun): fun.mpv_key_bindings = getattr(fun, 'mpv_key_bindings', []) + [keydef] def x(): for keydef in fun.mpv_key_bindings: self.unregister_key_binding(keydef) fun.unregister_mpv_key_bindings = unregister_all self.register_key_binding(keydef, fun, mode) return fun return register
key_binding
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keydef, mode='force'):\n\n def x(fun):\n fun.mpv_key_bindings = getattr(fun, 'mpv_key_bindings', []) + [keydef]\n\n def x():\n for keydef in fun.mpv_key_bindings:\n self.unregister_key_binding(keydef)\n fun.unregister_mpv_key_bindings = unregister_all\n self.register_key_binding(keydef, fun, mode)\n return fun\n return register\n", "role": "user" }, { "content": "key_binding", "role": "assistant" } ]
def x(self, keydef, callback_or_cmd, mode='force'): if not re.match('(Shift+)?(Ctrl+)?(Alt+)?(Meta+)?(.|\\w+)', keydef): raise ValueError( """Invalid keydef. Expected format: [Shift+][Ctrl+][Alt+][Meta+]<key> <key> is either the literal character the key produces (ASCII or Unicode character), or a symbolic name (as printed by --input-keylist""" ) binding_name = MPV._binding_name(keydef) if callable(callback_or_cmd): self._key_binding_handlers[binding_name] = callback_or_cmd self.register_message_handler('key-binding', self. _handle_key_binding_message) self.command('define-section', binding_name, '{} script-binding py_event_handler/{}'.format(keydef, binding_name), mode) elif isinstance(callback_or_cmd, str): self.command('define-section', binding_name, '{} {}'.format(keydef, callback_or_cmd), mode) else: raise TypeError( 'register_key_binding expects either an str with an mpv command or a python callable.' ) self.command('enable-section', binding_name, 'allow-hide-cursor+allow-vo-dragging')
register_key_binding
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keydef, callback_or_cmd, mode='force'):\n if not re.match('(Shift+)?(Ctrl+)?(Alt+)?(Meta+)?(.|\\\\w+)', keydef):\n raise ValueError(\n \"\"\"Invalid keydef. Expected format: [Shift+][Ctrl+][Alt+][Meta+]<key>\n<key> is either the literal character the key produces (ASCII or Unicode character), or a symbolic name (as printed by --input-keylist\"\"\"\n )\n binding_name = MPV._binding_name(keydef)\n if callable(callback_or_cmd):\n self._key_binding_handlers[binding_name] = callback_or_cmd\n self.register_message_handler('key-binding', self.\n _handle_key_binding_message)\n self.command('define-section', binding_name,\n '{} script-binding py_event_handler/{}'.format(keydef,\n binding_name), mode)\n elif isinstance(callback_or_cmd, str):\n self.command('define-section', binding_name, '{} {}'.format(keydef,\n callback_or_cmd), mode)\n else:\n raise TypeError(\n 'register_key_binding expects either an str with an mpv command or a python callable.'\n )\n self.command('enable-section', binding_name,\n 'allow-hide-cursor+allow-vo-dragging')\n", "role": "user" }, { "content": "register_key_binding", "role": "assistant" } ]
def x(self, keydef): binding_name = MPV._binding_name(keydef) self.command('disable-section', binding_name) self.command('define-section', binding_name, '') if binding_name in self._key_binding_handlers: del self._key_binding_handlers[binding_name] if not self._key_binding_handlers: self.unregister_message_handler('key-binding')
unregister_key_binding
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, keydef):\n binding_name = MPV._binding_name(keydef)\n self.command('disable-section', binding_name)\n self.command('define-section', binding_name, '')\n if binding_name in self._key_binding_handlers:\n del self._key_binding_handlers[binding_name]\n if not self._key_binding_handlers:\n self.unregister_message_handler('key-binding')\n", "role": "user" }, { "content": "unregister_key_binding", "role": "assistant" } ]
def x(self, req, resp, origin): if self._cors_config['allow_all_origins']: if self.supports_credentials: self._set_allow_origin(resp, origin) else: self._set_allow_origin(resp, '*') return True if origin in self._cors_config['allow_origins_list']: self._set_allow_origin(resp, origin) return True regex = self._cors_config['allow_origins_regex'] if regex is not None: if regex.match(origin): self._set_allow_origin(resp, origin) return True return False
process_origin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, req, resp, origin):\n if self._cors_config['allow_all_origins']:\n if self.supports_credentials:\n self._set_allow_origin(resp, origin)\n else:\n self._set_allow_origin(resp, '*')\n return True\n if origin in self._cors_config['allow_origins_list']:\n self._set_allow_origin(resp, origin)\n return True\n regex = self._cors_config['allow_origins_regex']\n if regex is not None:\n if regex.match(origin):\n self._set_allow_origin(resp, origin)\n return True\n return False\n", "role": "user" }, { "content": "process_origin", "role": "assistant" } ]
def x(self, req, resp, requested_headers): if not requested_headers: return True elif self._cors_config['allow_all_headers']: self._set_allowed_headers(resp, requested_headers) return True approved_headers = [] for header in requested_headers: if header.lower() in self._cors_config['allow_headers_list']: approved_headers.append(header) elif self._cors_config.get('allow_headers_regex'): if self._cors_config['allow_headers_regex'].match(header): approved_headers.append(header) if len(approved_headers) == len(requested_headers): self._set_allowed_headers(resp, approved_headers) return True return False
process_allow_headers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, req, resp, requested_headers):\n if not requested_headers:\n return True\n elif self._cors_config['allow_all_headers']:\n self._set_allowed_headers(resp, requested_headers)\n return True\n approved_headers = []\n for header in requested_headers:\n if header.lower() in self._cors_config['allow_headers_list']:\n approved_headers.append(header)\n elif self._cors_config.get('allow_headers_regex'):\n if self._cors_config['allow_headers_regex'].match(header):\n approved_headers.append(header)\n if len(approved_headers) == len(requested_headers):\n self._set_allowed_headers(resp, approved_headers)\n return True\n return False\n", "role": "user" }, { "content": "process_allow_headers", "role": "assistant" } ]
def x(self, req, resp, resource): requested_method = self._get_requested_method(req) if not requested_method: return False if self._cors_config['allow_all_methods']: allowed_methods = self._get_resource_methods(resource) self._set_allowed_methods(resp, allowed_methods) if requested_method in allowed_methods: return True elif requested_method in self._cors_config['allow_methods_list']: resource_methods = self._get_resource_methods(resource) allowed_methods = [method for method in resource_methods if method in self._cors_config['allow_methods_list']] self._set_allowed_methods(resp, allowed_methods) if requested_method in allowed_methods: return True return False
process_methods
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, req, resp, resource):\n requested_method = self._get_requested_method(req)\n if not requested_method:\n return False\n if self._cors_config['allow_all_methods']:\n allowed_methods = self._get_resource_methods(resource)\n self._set_allowed_methods(resp, allowed_methods)\n if requested_method in allowed_methods:\n return True\n elif requested_method in self._cors_config['allow_methods_list']:\n resource_methods = self._get_resource_methods(resource)\n allowed_methods = [method for method in resource_methods if method in\n self._cors_config['allow_methods_list']]\n self._set_allowed_methods(resp, allowed_methods)\n if requested_method in allowed_methods:\n return True\n return False\n", "role": "user" }, { "content": "process_methods", "role": "assistant" } ]