source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(output_dir):
sys.stderr.seek(0)
std_err = sys.stderr.read().decode('utf-8')
err_file = os.path.join(output_dir, 'eplusout.err')
if os.path.isfile(err_file):
with open(err_file, 'r') as f:
ep_err = f.read()
else:
ep_err = '<File not found>'
message = (
'\r\n{std_err}\r\nContents of EnergyPlus error file at {err_file}\r\n{ep_err}'
.format(**locals()))
return message
|
parse_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(output_dir):\n sys.stderr.seek(0)\n std_err = sys.stderr.read().decode('utf-8')\n err_file = os.path.join(output_dir, 'eplusout.err')\n if os.path.isfile(err_file):\n with open(err_file, 'r') as f:\n ep_err = f.read()\n else:\n ep_err = '<File not found>'\n message = (\n '\\r\\n{std_err}\\r\\nContents of EnergyPlus error file at {err_file}\\r\\n{ep_err}'\n .format(**locals()))\n return message\n",
"role": "user"
},
{
"content": "parse_error",
"role": "assistant"
}
] |
def x(ddtt):
object_type = ddtt.obj[0]
if object_type == 'Construction':
rvalue = INSIDE_FILM_R + OUTSIDE_FILM_R
layers = ddtt.obj[2:]
field_idd = ddtt.getfieldidd('Outside_Layer')
validobjects = field_idd['validobjects']
for layer in layers:
found = False
for key in validobjects:
try:
rvalue += ddtt.theidf.getobject(key, layer).rvalue
found = True
except AttributeError:
pass
if not found:
raise AttributeError('%s material not found in IDF' % layer)
elif object_type == 'Material':
thickness = ddtt.obj[ddtt.objls.index('Thickness')]
conductivity = ddtt.obj[ddtt.objls.index('Conductivity')]
rvalue = thickness / conductivity
elif object_type == 'Material:AirGap':
rvalue = ddtt.obj[ddtt.objls.index('Thermal_Resistance')]
elif object_type == 'Material:InfraredTransparent':
rvalue = 0
elif object_type == 'Material:NoMass':
rvalue = ddtt.obj[ddtt.objls.index('Thermal_Resistance')]
elif object_type == 'Material:RoofVegetation':
warnings.warn(
'Material:RoofVegetation thermal properties are based on dry soil',
UserWarning)
thickness = ddtt.obj[ddtt.objls.index('Thickness')]
conductivity = ddtt.obj[ddtt.objls.index('Conductivity_of_Dry_Soil')]
rvalue = thickness / conductivity
else:
raise AttributeError('%s rvalue property not implemented' % object_type
)
return rvalue
|
rvalue
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ddtt):\n object_type = ddtt.obj[0]\n if object_type == 'Construction':\n rvalue = INSIDE_FILM_R + OUTSIDE_FILM_R\n layers = ddtt.obj[2:]\n field_idd = ddtt.getfieldidd('Outside_Layer')\n validobjects = field_idd['validobjects']\n for layer in layers:\n found = False\n for key in validobjects:\n try:\n rvalue += ddtt.theidf.getobject(key, layer).rvalue\n found = True\n except AttributeError:\n pass\n if not found:\n raise AttributeError('%s material not found in IDF' % layer)\n elif object_type == 'Material':\n thickness = ddtt.obj[ddtt.objls.index('Thickness')]\n conductivity = ddtt.obj[ddtt.objls.index('Conductivity')]\n rvalue = thickness / conductivity\n elif object_type == 'Material:AirGap':\n rvalue = ddtt.obj[ddtt.objls.index('Thermal_Resistance')]\n elif object_type == 'Material:InfraredTransparent':\n rvalue = 0\n elif object_type == 'Material:NoMass':\n rvalue = ddtt.obj[ddtt.objls.index('Thermal_Resistance')]\n elif object_type == 'Material:RoofVegetation':\n warnings.warn(\n 'Material:RoofVegetation thermal properties are based on dry soil',\n UserWarning)\n thickness = ddtt.obj[ddtt.objls.index('Thickness')]\n conductivity = ddtt.obj[ddtt.objls.index('Conductivity_of_Dry_Soil')]\n rvalue = thickness / conductivity\n else:\n raise AttributeError('%s rvalue property not implemented' % object_type\n )\n return rvalue\n",
"role": "user"
},
{
"content": "rvalue",
"role": "assistant"
}
] |
def x(ddtt):
object_type = ddtt.obj[0]
if object_type == 'Construction':
heatcapacity = 0
layers = ddtt.obj[2:]
field_idd = ddtt.getfieldidd('Outside_Layer')
validobjects = field_idd['validobjects']
for layer in layers:
found = False
for key in validobjects:
try:
heatcapacity += ddtt.theidf.getobject(key, layer
).heatcapacity
found = True
except AttributeError:
pass
if not found:
raise AttributeError('%s material not found in IDF' % layer)
elif object_type == 'Material':
thickness = ddtt.obj[ddtt.objls.index('Thickness')]
density = ddtt.obj[ddtt.objls.index('Density')]
specificheat = ddtt.obj[ddtt.objls.index('Specific_Heat')]
heatcapacity = thickness * density * specificheat * 0.001
elif object_type == 'Material:AirGap':
heatcapacity = 0
elif object_type == 'Material:InfraredTransparent':
heatcapacity = 0
elif object_type == 'Material:NoMass':
warnings.warn(
'Material:NoMass materials included in heat capacity calculation',
UserWarning)
heatcapacity = 0
elif object_type == 'Material:RoofVegetation':
warnings.warn(
'Material:RoofVegetation thermal properties are based on dry soil',
UserWarning)
thickness = ddtt.obj[ddtt.objls.index('Thickness')]
density = ddtt.obj[ddtt.objls.index('Density_of_Dry_Soil')]
specificheat = ddtt.obj[ddtt.objls.index('Specific_Heat_of_Dry_Soil')]
heatcapacity = thickness * density * specificheat * 0.001
else:
raise AttributeError('%s has no heatcapacity property' % object_type)
return heatcapacity
|
heatcapacity
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ddtt):\n object_type = ddtt.obj[0]\n if object_type == 'Construction':\n heatcapacity = 0\n layers = ddtt.obj[2:]\n field_idd = ddtt.getfieldidd('Outside_Layer')\n validobjects = field_idd['validobjects']\n for layer in layers:\n found = False\n for key in validobjects:\n try:\n heatcapacity += ddtt.theidf.getobject(key, layer\n ).heatcapacity\n found = True\n except AttributeError:\n pass\n if not found:\n raise AttributeError('%s material not found in IDF' % layer)\n elif object_type == 'Material':\n thickness = ddtt.obj[ddtt.objls.index('Thickness')]\n density = ddtt.obj[ddtt.objls.index('Density')]\n specificheat = ddtt.obj[ddtt.objls.index('Specific_Heat')]\n heatcapacity = thickness * density * specificheat * 0.001\n elif object_type == 'Material:AirGap':\n heatcapacity = 0\n elif object_type == 'Material:InfraredTransparent':\n heatcapacity = 0\n elif object_type == 'Material:NoMass':\n warnings.warn(\n 'Material:NoMass materials included in heat capacity calculation',\n UserWarning)\n heatcapacity = 0\n elif object_type == 'Material:RoofVegetation':\n warnings.warn(\n 'Material:RoofVegetation thermal properties are based on dry soil',\n UserWarning)\n thickness = ddtt.obj[ddtt.objls.index('Thickness')]\n density = ddtt.obj[ddtt.objls.index('Density_of_Dry_Soil')]\n specificheat = ddtt.obj[ddtt.objls.index('Specific_Heat_of_Dry_Soil')]\n heatcapacity = thickness * density * specificheat * 0.001\n else:\n raise AttributeError('%s has no heatcapacity property' % object_type)\n return heatcapacity\n",
"role": "user"
},
{
"content": "heatcapacity",
"role": "assistant"
}
] |
def x(first, second, places=7, printit=True):
if first == second:
return True
if round(abs(second - first), places) != 0:
if printit:
print(round(abs(second - first), places))
print('notalmost: %s != %s to %i places' % (first, second, places))
return False
else:
return True
|
almostequal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(first, second, places=7, printit=True):\n if first == second:\n return True\n if round(abs(second - first), places) != 0:\n if printit:\n print(round(abs(second - first), places))\n print('notalmost: %s != %s to %i places' % (first, second, places))\n return False\n else:\n return True\n",
"role": "user"
},
{
"content": "almostequal",
"role": "assistant"
}
] |
def x(data, commdct, key, block=None, defaultvalues=True):
dtls = data.dtls
key = key.upper()
key_i = dtls.index(key)
key_comm = commdct[key_i]
if defaultvalues:
obj = [comm.get('default', [''])[0] for comm in key_comm]
else:
obj = ['' for comm in key_comm]
if not block:
inblock = ['does not start with N'] * len(obj)
else:
inblock = block[key_i]
for i, (f_comm, f_val, f_iddname) in enumerate(zip(key_comm, obj, inblock)
):
if i == 0:
obj[i] = key
else:
obj[i] = convertafield(f_comm, f_val, f_iddname)
obj = poptrailing(obj)
return obj
|
newrawobject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, commdct, key, block=None, defaultvalues=True):\n dtls = data.dtls\n key = key.upper()\n key_i = dtls.index(key)\n key_comm = commdct[key_i]\n if defaultvalues:\n obj = [comm.get('default', [''])[0] for comm in key_comm]\n else:\n obj = ['' for comm in key_comm]\n if not block:\n inblock = ['does not start with N'] * len(obj)\n else:\n inblock = block[key_i]\n for i, (f_comm, f_val, f_iddname) in enumerate(zip(key_comm, obj, inblock)\n ):\n if i == 0:\n obj[i] = key\n else:\n obj[i] = convertafield(f_comm, f_val, f_iddname)\n obj = poptrailing(obj)\n return obj\n",
"role": "user"
},
{
"content": "newrawobject",
"role": "assistant"
}
] |
def x(bunchdt, data, commdct, thisbunch, theidf):
key = thisbunch.key.upper()
obj = copy.copy(thisbunch.obj)
abunch = obj2bunch(data, commdct, obj)
bunchdt[key].append(abunch)
return abunch
|
addthisbunch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bunchdt, data, commdct, thisbunch, theidf):\n key = thisbunch.key.upper()\n obj = copy.copy(thisbunch.obj)\n abunch = obj2bunch(data, commdct, obj)\n bunchdt[key].append(abunch)\n return abunch\n",
"role": "user"
},
{
"content": "addthisbunch",
"role": "assistant"
}
] |
def x(data, commdct, obj):
dtls = data.dtls
key = obj[0].upper()
key_i = dtls.index(key)
abunch = makeabunch(commdct, obj, key_i)
return abunch
|
obj2bunch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, commdct, obj):\n dtls = data.dtls\n key = obj[0].upper()\n key_i = dtls.index(key)\n abunch = makeabunch(commdct, obj, key_i)\n return abunch\n",
"role": "user"
},
{
"content": "obj2bunch",
"role": "assistant"
}
] |
def x(bunchdt, data, commdct, key, theidf, aname=None, **kwargs):
obj = newrawobject(data, commdct, key)
abunch = obj2bunch(data, commdct, obj)
if aname:
namebunch(abunch, aname)
data.dt[key].append(obj)
bunchdt[key].append(abunch)
for key, value in list(kwargs.items()):
abunch[key] = value
return abunch
|
addobject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bunchdt, data, commdct, key, theidf, aname=None, **kwargs):\n obj = newrawobject(data, commdct, key)\n abunch = obj2bunch(data, commdct, obj)\n if aname:\n namebunch(abunch, aname)\n data.dt[key].append(obj)\n bunchdt[key].append(abunch)\n for key, value in list(kwargs.items()):\n abunch[key] = value\n return abunch\n",
"role": "user"
},
{
"content": "addobject",
"role": "assistant"
}
] |
def x(*args, **kwargs):
adict = {}
for arg in args:
if isinstance(arg, dict):
adict.update(arg)
adict.update(kwargs)
return adict
|
getnamedargs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n adict = {}\n for arg in args:\n if isinstance(arg, dict):\n adict.update(arg)\n adict.update(kwargs)\n return adict\n",
"role": "user"
},
{
"content": "getnamedargs",
"role": "assistant"
}
] |
def x(bunchdt, data, commdct, key, **kwargs):
obj = newrawobject(data, commdct, key)
abunch = obj2bunch(data, commdct, obj)
data.dt[key].append(obj)
bunchdt[key].append(abunch)
for kkey, value in iteritems(kwargs):
abunch[kkey] = value
return abunch
|
addobject1
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bunchdt, data, commdct, key, **kwargs):\n obj = newrawobject(data, commdct, key)\n abunch = obj2bunch(data, commdct, obj)\n data.dt[key].append(obj)\n bunchdt[key].append(abunch)\n for kkey, value in iteritems(kwargs):\n abunch[kkey] = value\n return abunch\n",
"role": "user"
},
{
"content": "addobject1",
"role": "assistant"
}
] |
def x(bunchdt, key, name):
idfobjects = bunchdt[key]
if idfobjects:
unique_id = idfobjects[0].objls[1]
theobjs = [idfobj for idfobj in idfobjects if idfobj[unique_id].upper() ==
name.upper()]
try:
return theobjs[0]
except IndexError:
return None
|
getobject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bunchdt, key, name):\n idfobjects = bunchdt[key]\n if idfobjects:\n unique_id = idfobjects[0].objls[1]\n theobjs = [idfobj for idfobj in idfobjects if idfobj[unique_id].upper() ==\n name.upper()]\n try:\n return theobjs[0]\n except IndexError:\n return None\n",
"role": "user"
},
{
"content": "getobject",
"role": "assistant"
}
] |
def x(bunchdt, data, commdct, idfobject, places=7, **kwargs):
for key, value in list(kwargs.items()):
if not isfieldvalue(bunchdt, data, commdct, idfobject, key, value,
places=places):
return False
return True
|
objecthasfields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bunchdt, data, commdct, idfobject, places=7, **kwargs):\n for key, value in list(kwargs.items()):\n if not isfieldvalue(bunchdt, data, commdct, idfobject, key, value,\n places=places):\n return False\n return True\n",
"role": "user"
},
{
"content": "objecthasfields",
"role": "assistant"
}
] |
def x(bunchdt, data, commdct, key, places=7, **kwargs):
idfobjects = bunchdt[key]
allobjs = []
for obj in idfobjects:
if __objecthasfields(bunchdt, data, commdct, obj, places=places, **
kwargs):
allobjs.append(obj)
return allobjs
|
getobjects
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bunchdt, data, commdct, key, places=7, **kwargs):\n idfobjects = bunchdt[key]\n allobjs = []\n for obj in idfobjects:\n if __objecthasfields(bunchdt, data, commdct, obj, places=places, **\n kwargs):\n allobjs.append(obj)\n return allobjs\n",
"role": "user"
},
{
"content": "getobjects",
"role": "assistant"
}
] |
def x(data, commdct, key):
dtls = data.dtls
i = dtls.index(key)
return commdct[i]
|
iddofobject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, commdct, key):\n dtls = data.dtls\n i = dtls.index(key)\n return commdct[i]\n",
"role": "user"
},
{
"content": "iddofobject",
"role": "assistant"
}
] |
def x(bunchdt, data, commdct, key, objname):
theobject = getobject(bunchdt, key, objname)
if theobject == None:
return None
theidd = iddofobject(data, commdct, key)
extensible_i = [i for i in range(len(theidd)) if 'begin-extensible' in
theidd[i]]
try:
extensible_i = extensible_i[0]
except IndexError:
return theobject
|
getextensibleindex
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bunchdt, data, commdct, key, objname):\n theobject = getobject(bunchdt, key, objname)\n if theobject == None:\n return None\n theidd = iddofobject(data, commdct, key)\n extensible_i = [i for i in range(len(theidd)) if 'begin-extensible' in\n theidd[i]]\n try:\n extensible_i = extensible_i[0]\n except IndexError:\n return theobject\n",
"role": "user"
},
{
"content": "getextensibleindex",
"role": "assistant"
}
] |
def x(bunchdt, data, commdct, key, objname):
theobject = getobject(bunchdt, key, objname)
if theobject == None:
return theobject
theidd = iddofobject(data, commdct, key)
extensible_i = [i for i in range(len(theidd)) if 'begin-extensible' in
theidd[i]]
try:
extensible_i = extensible_i[0]
except IndexError:
return theobject
while True:
try:
popped = theobject.obj.pop(extensible_i)
except IndexError:
break
return theobject
|
removeextensibles
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bunchdt, data, commdct, key, objname):\n theobject = getobject(bunchdt, key, objname)\n if theobject == None:\n return theobject\n theidd = iddofobject(data, commdct, key)\n extensible_i = [i for i in range(len(theidd)) if 'begin-extensible' in\n theidd[i]]\n try:\n extensible_i = extensible_i[0]\n except IndexError:\n return theobject\n while True:\n try:\n popped = theobject.obj.pop(extensible_i)\n except IndexError:\n break\n return theobject\n",
"role": "user"
},
{
"content": "removeextensibles",
"role": "assistant"
}
] |
def x(bunchdt, data, commdct, idfobject, fieldname):
key = idfobject.obj[0].upper()
keyi = data.dtls.index(key)
fieldi = idfobject.objls.index(fieldname)
thiscommdct = commdct[keyi][fieldi]
return thiscommdct
|
getfieldcomm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bunchdt, data, commdct, idfobject, fieldname):\n key = idfobject.obj[0].upper()\n keyi = data.dtls.index(key)\n fieldi = idfobject.objls.index(fieldname)\n thiscommdct = commdct[keyi][fieldi]\n return thiscommdct\n",
"role": "user"
},
{
"content": "getfieldcomm",
"role": "assistant"
}
] |
def x(bunchdt, data, commdct, idfobject, fieldname):
thiscommdct = getfieldcomm(bunchdt, data, commdct, idfobject, fieldname)
return 'retaincase' in thiscommdct
|
is_retaincase
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bunchdt, data, commdct, idfobject, fieldname):\n thiscommdct = getfieldcomm(bunchdt, data, commdct, idfobject, fieldname)\n return 'retaincase' in thiscommdct\n",
"role": "user"
},
{
"content": "is_retaincase",
"role": "assistant"
}
] |
def x(bunchdt, data, commdct, idfobj, fieldname, value, places=7):
thiscommdct = getfieldcomm(bunchdt, data, commdct, idfobj, fieldname)
if 'type' in thiscommdct:
if thiscommdct['type'][0] in ('real', 'integer'):
try:
if idfobj[fieldname].upper() == 'AUTOCALCULATE':
if value.upper() == 'AUTOCALCULATE':
return True
except AttributeError:
pass
return almostequal(float(idfobj[fieldname]), float(value),
places, False)
if is_retaincase(bunchdt, data, commdct, idfobj, fieldname):
return idfobj[fieldname] == value
else:
return idfobj[fieldname].upper() == value.upper()
|
isfieldvalue
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bunchdt, data, commdct, idfobj, fieldname, value, places=7):\n thiscommdct = getfieldcomm(bunchdt, data, commdct, idfobj, fieldname)\n if 'type' in thiscommdct:\n if thiscommdct['type'][0] in ('real', 'integer'):\n try:\n if idfobj[fieldname].upper() == 'AUTOCALCULATE':\n if value.upper() == 'AUTOCALCULATE':\n return True\n except AttributeError:\n pass\n return almostequal(float(idfobj[fieldname]), float(value),\n places, False)\n if is_retaincase(bunchdt, data, commdct, idfobj, fieldname):\n return idfobj[fieldname] == value\n else:\n return idfobj[fieldname].upper() == value.upper()\n",
"role": "user"
},
{
"content": "isfieldvalue",
"role": "assistant"
}
] |
def x(bunchdt, data, commdct, idfobj1, idfobj2, fieldname, places=7):
key1 = idfobj1.obj[0].upper()
key2 = idfobj2.obj[0].upper()
if key1 != key2:
raise NotSameObjectError
vee2 = idfobj2[fieldname]
return isfieldvalue(bunchdt, data, commdct, idfobj1, fieldname, vee2,
places=places)
|
equalfield
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bunchdt, data, commdct, idfobj1, idfobj2, fieldname, places=7):\n key1 = idfobj1.obj[0].upper()\n key2 = idfobj2.obj[0].upper()\n if key1 != key2:\n raise NotSameObjectError\n vee2 = idfobj2[fieldname]\n return isfieldvalue(bunchdt, data, commdct, idfobj1, fieldname, vee2,\n places=places)\n",
"role": "user"
},
{
"content": "equalfield",
"role": "assistant"
}
] |
def x(idf, objname):
iddinfo = idf.idd_info
dtls = idf.model.dtls
index = dtls.index(objname)
fieldidds = iddinfo[index]
for fieldidd in fieldidds:
if 'field' in fieldidd:
if fieldidd['field'][0].endswith('Name'):
if 'reference' in fieldidd:
return fieldidd['reference']
else:
return []
|
getrefnames
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, objname):\n iddinfo = idf.idd_info\n dtls = idf.model.dtls\n index = dtls.index(objname)\n fieldidds = iddinfo[index]\n for fieldidd in fieldidds:\n if 'field' in fieldidd:\n if fieldidd['field'][0].endswith('Name'):\n if 'reference' in fieldidd:\n return fieldidd['reference']\n else:\n return []\n",
"role": "user"
},
{
"content": "getrefnames",
"role": "assistant"
}
] |
def x(idf, refname):
dtls = idf.model.dtls
objlists = []
for i, fieldidds in enumerate(idf.idd_info):
indexlist = []
for j, fieldidd in enumerate(fieldidds):
if 'object-list' in fieldidd:
if fieldidd['object-list'][0].upper() == refname.upper():
indexlist.append(j)
if indexlist != []:
objkey = dtls[i]
objlists.append((objkey, refname, indexlist))
return objlists
|
getallobjlists
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, refname):\n dtls = idf.model.dtls\n objlists = []\n for i, fieldidds in enumerate(idf.idd_info):\n indexlist = []\n for j, fieldidd in enumerate(fieldidds):\n if 'object-list' in fieldidd:\n if fieldidd['object-list'][0].upper() == refname.upper():\n indexlist.append(j)\n if indexlist != []:\n objkey = dtls[i]\n objlists.append((objkey, refname, indexlist))\n return objlists\n",
"role": "user"
},
{
"content": "getallobjlists",
"role": "assistant"
}
] |
def x(idf, objkey, objname, newname):
refnames = getrefnames(idf, objkey)
for refname in refnames:
objlists = getallobjlists(idf, refname)
for refname in refnames:
for robjkey, refname, fieldindexlist in objlists:
idfobjects = idf.idfobjects[robjkey]
for idfobject in idfobjects:
for findex in fieldindexlist:
if idfobject[idfobject.objls[findex]] == objname:
idfobject[idfobject.objls[findex]] = newname
theobject = idf.getobject(objkey, objname)
fieldname = [item for item in theobject.objls if item.endswith('Name')][0]
theobject[fieldname] = newname
return theobject
|
rename
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, objkey, objname, newname):\n refnames = getrefnames(idf, objkey)\n for refname in refnames:\n objlists = getallobjlists(idf, refname)\n for refname in refnames:\n for robjkey, refname, fieldindexlist in objlists:\n idfobjects = idf.idfobjects[robjkey]\n for idfobject in idfobjects:\n for findex in fieldindexlist:\n if idfobject[idfobject.objls[findex]] == objname:\n idfobject[idfobject.objls[findex]] = newname\n theobject = idf.getobject(objkey, objname)\n fieldname = [item for item in theobject.objls if item.endswith('Name')][0]\n theobject[fieldname] = newname\n return theobject\n",
"role": "user"
},
{
"content": "rename",
"role": "assistant"
}
] |
def x(idf, zonename, debug=False):
zone = idf.getobject('ZONE', zonename)
surfs = idf.idfobjects['BuildingSurface:Detailed'.upper()]
zone_surfs = [s for s in surfs if s.Zone_Name == zone.Name]
floors = [s for s in zone_surfs if s.Surface_Type.upper() == 'FLOOR']
if debug:
print(len(floors))
print([floor.area for floor in floors])
if floors != []:
area = zonearea_floor(idf, zonename)
else:
area = zonearea_roofceiling(idf, zonename)
return area
|
zonearea
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, zonename, debug=False):\n zone = idf.getobject('ZONE', zonename)\n surfs = idf.idfobjects['BuildingSurface:Detailed'.upper()]\n zone_surfs = [s for s in surfs if s.Zone_Name == zone.Name]\n floors = [s for s in zone_surfs if s.Surface_Type.upper() == 'FLOOR']\n if debug:\n print(len(floors))\n print([floor.area for floor in floors])\n if floors != []:\n area = zonearea_floor(idf, zonename)\n else:\n area = zonearea_roofceiling(idf, zonename)\n return area\n",
"role": "user"
},
{
"content": "zonearea",
"role": "assistant"
}
] |
def x(idf, zonename, debug=False):
zone = idf.getobject('ZONE', zonename)
surfs = idf.idfobjects['BuildingSurface:Detailed'.upper()]
zone_surfs = [s for s in surfs if s.Zone_Name == zone.Name]
surf_xyzs = [eppy.function_helpers.getcoords(s) for s in zone_surfs]
surf_xyzs = list(itertools.chain(*surf_xyzs))
surf_zs = [z for x, y, z in surf_xyzs]
topz = max(surf_zs)
botz = min(surf_zs)
height = topz - botz
return height
|
zone_height_min2max
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, zonename, debug=False):\n zone = idf.getobject('ZONE', zonename)\n surfs = idf.idfobjects['BuildingSurface:Detailed'.upper()]\n zone_surfs = [s for s in surfs if s.Zone_Name == zone.Name]\n surf_xyzs = [eppy.function_helpers.getcoords(s) for s in zone_surfs]\n surf_xyzs = list(itertools.chain(*surf_xyzs))\n surf_zs = [z for x, y, z in surf_xyzs]\n topz = max(surf_zs)\n botz = min(surf_zs)\n height = topz - botz\n return height\n",
"role": "user"
},
{
"content": "zone_height_min2max",
"role": "assistant"
}
] |
def x(idf, zonename, debug=False):
zone = idf.getobject('ZONE', zonename)
surfs = idf.idfobjects['BuildingSurface:Detailed'.upper()]
zone_surfs = [s for s in surfs if s.Zone_Name == zone.Name]
floors = [s for s in zone_surfs if s.Surface_Type.upper() == 'FLOOR']
roofs = [s for s in zone_surfs if s.Surface_Type.upper() == 'ROOF']
if floors == [] or roofs == []:
height = zone_height_min2max(idf, zonename)
else:
height = zone_floor2roofheight(idf, zonename)
return height
|
zoneheight
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, zonename, debug=False):\n zone = idf.getobject('ZONE', zonename)\n surfs = idf.idfobjects['BuildingSurface:Detailed'.upper()]\n zone_surfs = [s for s in surfs if s.Zone_Name == zone.Name]\n floors = [s for s in zone_surfs if s.Surface_Type.upper() == 'FLOOR']\n roofs = [s for s in zone_surfs if s.Surface_Type.upper() == 'ROOF']\n if floors == [] or roofs == []:\n height = zone_height_min2max(idf, zonename)\n else:\n height = zone_floor2roofheight(idf, zonename)\n return height\n",
"role": "user"
},
{
"content": "zoneheight",
"role": "assistant"
}
] |
def x(idf, zonename, debug=False):
zone = idf.getobject('ZONE', zonename)
surfs = idf.idfobjects['BuildingSurface:Detailed'.upper()]
zone_surfs = [s for s in surfs if s.Zone_Name == zone.Name]
floors = [s for s in zone_surfs if s.Surface_Type.upper() == 'FLOOR']
roofs = [s for s in zone_surfs if s.Surface_Type.upper() == 'ROOF']
ceilings = [s for s in zone_surfs if s.Surface_Type.upper() == 'CEILING']
topsurfaces = roofs + ceilings
topz = []
for topsurface in topsurfaces:
for coord in topsurface.coords:
topz.append(coord[-1])
topz = max(topz)
botz = []
for floor in floors:
for coord in floor.coords:
botz.append(coord[-1])
botz = min(botz)
height = topz - botz
return height
|
zone_floor2roofheight
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, zonename, debug=False):\n zone = idf.getobject('ZONE', zonename)\n surfs = idf.idfobjects['BuildingSurface:Detailed'.upper()]\n zone_surfs = [s for s in surfs if s.Zone_Name == zone.Name]\n floors = [s for s in zone_surfs if s.Surface_Type.upper() == 'FLOOR']\n roofs = [s for s in zone_surfs if s.Surface_Type.upper() == 'ROOF']\n ceilings = [s for s in zone_surfs if s.Surface_Type.upper() == 'CEILING']\n topsurfaces = roofs + ceilings\n topz = []\n for topsurface in topsurfaces:\n for coord in topsurface.coords:\n topz.append(coord[-1])\n topz = max(topz)\n botz = []\n for floor in floors:\n for coord in floor.coords:\n botz.append(coord[-1])\n botz = min(botz)\n height = topz - botz\n return height\n",
"role": "user"
},
{
"content": "zone_floor2roofheight",
"role": "assistant"
}
] |
def x(idf, zonename):
area = zonearea(idf, zonename)
height = zoneheight(idf, zonename)
volume = area * height
return volume
|
zonevolume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, zonename):\n area = zonearea(idf, zonename)\n height = zoneheight(idf, zonename)\n volume = area * height\n return volume\n",
"role": "user"
},
{
"content": "zonevolume",
"role": "assistant"
}
] |
def x(cls, iddname, testing=False):
if cls.iddname == None:
cls.iddname = iddname
cls.idd_info = None
cls.block = None
elif cls.iddname == iddname:
pass
elif testing == False:
errortxt = 'IDD file is set to: %s' % (cls.iddname,)
raise IDDAlreadySetError(errortxt)
|
setiddname
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, iddname, testing=False):\n if cls.iddname == None:\n cls.iddname = iddname\n cls.idd_info = None\n cls.block = None\n elif cls.iddname == iddname:\n pass\n elif testing == False:\n errortxt = 'IDD file is set to: %s' % (cls.iddname,)\n raise IDDAlreadySetError(errortxt)\n",
"role": "user"
},
{
"content": "setiddname",
"role": "assistant"
}
] |
def x(cls, iddinfo, iddindex, block, idd_version):
cls.idd_info = iddinfo
cls.block = block
cls.idd_index = iddindex
cls.idd_version = idd_version
|
setidd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, iddinfo, iddindex, block, idd_version):\n cls.idd_info = iddinfo\n cls.block = block\n cls.idd_index = iddindex\n cls.idd_version = idd_version\n",
"role": "user"
},
{
"content": "setidd",
"role": "assistant"
}
] |
def x(self, idfname):
with open(idfname, 'r') as _:
pass
iddfhandle = StringIO(iddcurrent.iddtxt)
if self.getiddname() == None:
self.setiddname(iddfhandle)
self.idfname = idfname
self.read()
|
initread
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, idfname):\n with open(idfname, 'r') as _:\n pass\n iddfhandle = StringIO(iddcurrent.iddtxt)\n if self.getiddname() == None:\n self.setiddname(iddfhandle)\n self.idfname = idfname\n self.read()\n",
"role": "user"
},
{
"content": "initread",
"role": "assistant"
}
] |
def x(self, idftxt):
iddfhandle = StringIO(iddcurrent.iddtxt)
if self.getiddname() == None:
self.setiddname(iddfhandle)
idfhandle = StringIO(idftxt)
self.idfname = idfhandle
self.read()
|
initreadtxt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, idftxt):\n iddfhandle = StringIO(iddcurrent.iddtxt)\n if self.getiddname() == None:\n self.setiddname(iddfhandle)\n idfhandle = StringIO(idftxt)\n self.idfname = idfhandle\n self.read()\n",
"role": "user"
},
{
"content": "initreadtxt",
"role": "assistant"
}
] |
def x(self):
if self.getiddname() == None:
errortxt = (
'IDD file needed to read the idf file. Set it using IDF.setiddname(iddfile)'
)
raise IDDNotSetError(errortxt)
readout = idfreader1(self.idfname, self.iddname, self, commdct=self.
idd_info, block=self.block)
(self.idfobjects, block, self.model, idd_info, idd_index, idd_version
) = readout
self.__class__.setidd(idd_info, idd_index, block, idd_version)
|
read
|
[
{
"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.getiddname() == None:\n errortxt = (\n 'IDD file needed to read the idf file. Set it using IDF.setiddname(iddfile)'\n )\n raise IDDNotSetError(errortxt)\n readout = idfreader1(self.idfname, self.iddname, self, commdct=self.\n idd_info, block=self.block)\n (self.idfobjects, block, self.model, idd_info, idd_index, idd_version\n ) = readout\n self.__class__.setidd(idd_info, idd_index, block, idd_version)\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self, fname):
iddfhandle = StringIO(iddcurrent.iddtxt)
if self.getiddname() == None:
self.setiddname(iddfhandle)
idfhandle = StringIO('')
self.idfname = idfhandle
self.read()
if fname:
self.idfname = fname
|
initnew
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fname):\n iddfhandle = StringIO(iddcurrent.iddtxt)\n if self.getiddname() == None:\n self.setiddname(iddfhandle)\n idfhandle = StringIO('')\n self.idfname = idfhandle\n self.read()\n if fname:\n self.idfname = fname\n",
"role": "user"
},
{
"content": "initnew",
"role": "assistant"
}
] |
def x(self, key, aname='', defaultvalues=True, **kwargs):
obj = newrawobject(self.model, self.idd_info, key, block=self.block,
defaultvalues=defaultvalues)
abunch = obj2bunch(self.model, self.idd_info, obj)
if aname:
warnings.warn('The aname parameter should no longer be used.',
UserWarning)
namebunch(abunch, aname)
self.idfobjects[key].append(abunch)
for k, v in list(kwargs.items()):
abunch[k] = v
return abunch
|
newidfobject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, aname='', defaultvalues=True, **kwargs):\n obj = newrawobject(self.model, self.idd_info, key, block=self.block,\n defaultvalues=defaultvalues)\n abunch = obj2bunch(self.model, self.idd_info, obj)\n if aname:\n warnings.warn('The aname parameter should no longer be used.',\n UserWarning)\n namebunch(abunch, aname)\n self.idfobjects[key].append(abunch)\n for k, v in list(kwargs.items()):\n abunch[k] = v\n return abunch\n",
"role": "user"
},
{
"content": "newidfobject",
"role": "assistant"
}
] |
def x(self, idfobject):
key = idfobject.key.upper()
self.idfobjects[key].remove(idfobject)
|
removeidfobject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, idfobject):\n key = idfobject.key.upper()\n self.idfobjects[key].remove(idfobject)\n",
"role": "user"
},
{
"content": "removeidfobject",
"role": "assistant"
}
] |
def x(self, idfobject):
return addthisbunch(self.idfobjects, self.model, self.idd_info,
idfobject, self)
|
copyidfobject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, idfobject):\n return addthisbunch(self.idfobjects, self.model, self.idd_info,\n idfobject, self)\n",
"role": "user"
},
{
"content": "copyidfobject",
"role": "assistant"
}
] |
def x(self, key, name):
return getextensibleindex(self.idfobjects, self.model, self.idd_info,
key, name)
|
getextensibleindex
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, name):\n return getextensibleindex(self.idfobjects, self.model, self.idd_info,\n key, name)\n",
"role": "user"
},
{
"content": "getextensibleindex",
"role": "assistant"
}
] |
def x(self, key, name):
return removeextensibles(self.idfobjects, self.model, self.idd_info,
key, name)
|
removeextensibles
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, name):\n return removeextensibles(self.idfobjects, self.model, self.idd_info,\n key, name)\n",
"role": "user"
},
{
"content": "removeextensibles",
"role": "assistant"
}
] |
def x(self):
if self.outputtype == 'standard':
astr = ''
else:
astr = self.model.__repr__()
if self.outputtype == 'standard':
astr = ''
dtls = self.model.dtls
for objname in dtls:
for obj in self.idfobjects[objname]:
astr = astr + obj.__repr__()
elif self.outputtype == 'nocomment':
return astr
elif self.outputtype == 'nocomment1':
slist = astr.split('\n')
slist = [item.strip() for item in slist]
astr = '\n'.join(slist)
elif self.outputtype == 'nocomment2':
slist = astr.split('\n')
slist = [item.strip() for item in slist]
slist = [item for item in slist if item != '']
astr = '\n'.join(slist)
elif self.outputtype == 'compressed':
slist = astr.split('\n')
slist = [item.strip() for item in slist]
astr = ' '.join(slist)
else:
raise ValueError('%s is not a valid outputtype' % self.outputtype)
return astr
|
idfstr
|
[
{
"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.outputtype == 'standard':\n astr = ''\n else:\n astr = self.model.__repr__()\n if self.outputtype == 'standard':\n astr = ''\n dtls = self.model.dtls\n for objname in dtls:\n for obj in self.idfobjects[objname]:\n astr = astr + obj.__repr__()\n elif self.outputtype == 'nocomment':\n return astr\n elif self.outputtype == 'nocomment1':\n slist = astr.split('\\n')\n slist = [item.strip() for item in slist]\n astr = '\\n'.join(slist)\n elif self.outputtype == 'nocomment2':\n slist = astr.split('\\n')\n slist = [item.strip() for item in slist]\n slist = [item for item in slist if item != '']\n astr = '\\n'.join(slist)\n elif self.outputtype == 'compressed':\n slist = astr.split('\\n')\n slist = [item.strip() for item in slist]\n astr = ' '.join(slist)\n else:\n raise ValueError('%s is not a valid outputtype' % self.outputtype)\n return astr\n",
"role": "user"
},
{
"content": "idfstr",
"role": "assistant"
}
] |
def x(self, filename=None, lineendings='default', encoding='latin-1'):
if filename is None:
filename = self.idfname
s = self.idfstr()
if lineendings == 'default':
system = platform.system()
s = '!- {} Line endings \n'.format(system) + s
slines = s.splitlines()
s = os.linesep.join(slines)
elif lineendings == 'windows':
s = '!- Windows Line endings \n' + s
slines = s.splitlines()
s = '\r\n'.join(slines)
elif lineendings == 'unix':
s = '!- Unix Line endings \n' + s
slines = s.splitlines()
s = '\n'.join(slines)
s = s.encode(encoding)
try:
with open(filename, 'wb') as idf_out:
idf_out.write(s)
except TypeError:
try:
filename.write(s)
except TypeError:
filename.write(s.decode(encoding))
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename=None, lineendings='default', encoding='latin-1'):\n if filename is None:\n filename = self.idfname\n s = self.idfstr()\n if lineendings == 'default':\n system = platform.system()\n s = '!- {} Line endings \\n'.format(system) + s\n slines = s.splitlines()\n s = os.linesep.join(slines)\n elif lineendings == 'windows':\n s = '!- Windows Line endings \\n' + s\n slines = s.splitlines()\n s = '\\r\\n'.join(slines)\n elif lineendings == 'unix':\n s = '!- Unix Line endings \\n' + s\n slines = s.splitlines()\n s = '\\n'.join(slines)\n s = s.encode(encoding)\n try:\n with open(filename, 'wb') as idf_out:\n idf_out.write(s)\n except TypeError:\n try:\n filename.write(s)\n except TypeError:\n filename.write(s.decode(encoding))\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, filename, lineendings='default', encoding='latin-1'):
self.idfname = filename
self.save(filename, lineendings, encoding)
|
saveas
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, lineendings='default', encoding='latin-1'):\n self.idfname = filename\n self.save(filename, lineendings, encoding)\n",
"role": "user"
},
{
"content": "saveas",
"role": "assistant"
}
] |
def x(self, filename, lineendings='default', encoding='latin-1'):
self.save(filename, lineendings, encoding)
|
savecopy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, lineendings='default', encoding='latin-1'):\n self.save(filename, lineendings, encoding)\n",
"role": "user"
},
{
"content": "savecopy",
"role": "assistant"
}
] |
def x(self, **kwargs):
self.saveas('in.idf')
idd = kwargs.pop('idd', self.iddname)
epw = kwargs.pop('weather', self.epw)
try:
run(self, weather=epw, idd=idd, **kwargs)
finally:
os.remove('in.idf')
|
run
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n self.saveas('in.idf')\n idd = kwargs.pop('idd', self.iddname)\n epw = kwargs.pop('weather', self.epw)\n try:\n run(self, weather=epw, idd=idd, **kwargs)\n finally:\n os.remove('in.idf')\n",
"role": "user"
},
{
"content": "run",
"role": "assistant"
}
] |
def x(filename):
fhandle = open(filename, 'rb')
data = fhandle.read()
try:
data = data.decode('ISO-8859-2')
except AttributeError:
pass
fhandle.close()
return data
|
readfile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n fhandle = open(filename, 'rb')\n data = fhandle.read()\n try:\n data = data.decode('ISO-8859-2')\n except AttributeError:\n pass\n fhandle.close()\n return data\n",
"role": "user"
},
{
"content": "readfile",
"role": "assistant"
}
] |
def x(adict):
dlist = list(adict.keys())
dlist.sort()
for i in range(0, len(dlist)):
print(dlist[i], adict[dlist[i]])
|
printdict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(adict):\n dlist = list(adict.keys())\n dlist.sort()\n for i in range(0, len(dlist)):\n print(dlist[i], adict[dlist[i]])\n",
"role": "user"
},
{
"content": "printdict",
"role": "assistant"
}
] |
def x(fname):
data = mylib1.readfileasmac(fname)
alist = data.split('\r')
blist = alist[1].split('\t')
clist = []
for num in range(0, len(alist)):
ilist = alist[num].split('\t')
clist = clist + [ilist]
cclist = clist[:-1]
return cclist
|
tabfile2list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname):\n data = mylib1.readfileasmac(fname)\n alist = data.split('\\r')\n blist = alist[1].split('\\t')\n clist = []\n for num in range(0, len(alist)):\n ilist = alist[num].split('\\t')\n clist = clist + [ilist]\n cclist = clist[:-1]\n return cclist\n",
"role": "user"
},
{
"content": "tabfile2list",
"role": "assistant"
}
] |
def x(data):
alist = data.split(os.linesep)
blist = alist[1].split('\t')
clist = []
for num in range(0, len(alist)):
ilist = alist[num].split('\t')
clist = clist + [ilist]
cclist = clist[:-1]
return cclist
|
tabstr2list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n alist = data.split(os.linesep)\n blist = alist[1].split('\\t')\n clist = []\n for num in range(0, len(alist)):\n ilist = alist[num].split('\\t')\n clist = clist + [ilist]\n cclist = clist[:-1]\n return cclist\n",
"role": "user"
},
{
"content": "tabstr2list",
"role": "assistant"
}
] |
def x(alist):
theequal = ''
astr = ''
lenj = len(alist)
leni = len(alist[0])
for i in range(0, leni - 1):
for j in range(0, lenj):
if j == 0:
astr = astr + alist[j][i + 1] + theequal + alist[j][0] + RET
else:
astr = astr + alist[j][0] + theequal + alist[j][i + 1] + RET
astr = astr + RET
return astr
|
list2doe
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(alist):\n theequal = ''\n astr = ''\n lenj = len(alist)\n leni = len(alist[0])\n for i in range(0, leni - 1):\n for j in range(0, lenj):\n if j == 0:\n astr = astr + alist[j][i + 1] + theequal + alist[j][0] + RET\n else:\n astr = astr + alist[j][0] + theequal + alist[j][i + 1] + RET\n astr = astr + RET\n return astr\n",
"role": "user"
},
{
"content": "list2doe",
"role": "assistant"
}
] |
def x(tabfile, doefile):
alist = tabfile2list(tabfile)
astr = list2doe(alist)
mylib1.write_str2file(doefile, astr)
|
tabfile2doefile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tabfile, doefile):\n alist = tabfile2list(tabfile)\n astr = list2doe(alist)\n mylib1.write_str2file(doefile, astr)\n",
"role": "user"
},
{
"content": "tabfile2doefile",
"role": "assistant"
}
] |
def x(str1):
blocklist = str1.split('..')
blocklist = blocklist[:-1]
blockdict = {}
belongsdict = {}
for num in range(0, len(blocklist)):
blocklist[num] = blocklist[num].strip()
linelist = blocklist[num].split(os.linesep)
aline = linelist[0]
alinelist = aline.split('=')
name = alinelist[0].strip()
aline = linelist[1]
alinelist = aline.split('=')
belongs = alinelist[-1].strip()
theblock = blocklist[num] + os.linesep + '..' + os.linesep + os.linesep
blockdict[name] = theblock
belongsdict[name] = belongs
return [blockdict, belongsdict]
|
makedoedict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(str1):\n blocklist = str1.split('..')\n blocklist = blocklist[:-1]\n blockdict = {}\n belongsdict = {}\n for num in range(0, len(blocklist)):\n blocklist[num] = blocklist[num].strip()\n linelist = blocklist[num].split(os.linesep)\n aline = linelist[0]\n alinelist = aline.split('=')\n name = alinelist[0].strip()\n aline = linelist[1]\n alinelist = aline.split('=')\n belongs = alinelist[-1].strip()\n theblock = blocklist[num] + os.linesep + '..' + os.linesep + os.linesep\n blockdict[name] = theblock\n belongsdict[name] = belongs\n return [blockdict, belongsdict]\n",
"role": "user"
},
{
"content": "makedoedict",
"role": "assistant"
}
] |
def x(ddict, bdict):
dlist = list(ddict.keys())
blist = list(bdict.keys())
dlist.sort()
blist.sort()
doesnot = 'DOES NOT'
lst = []
for num in range(0, len(blist)):
if bdict[blist[num]] == doesnot:
lst = lst + [blist[num]]
doedict = {}
for num in range(0, len(lst)):
doedict[lst[num]] = {}
lv1list = list(doedict.keys())
lv1list.sort()
for i in range(0, len(lv1list)):
walllist = []
adict = doedict[lv1list[i]]
for num in range(0, len(blist)):
if bdict[blist[num]] == lv1list[i]:
walllist = walllist + [blist[num]]
for j in range(0, len(walllist)):
adict[walllist[j]] = {}
for i in range(0, len(lv1list)):
adict1 = doedict[lv1list[i]]
walllist = list(adict1.keys())
walllist.sort()
for j in range(0, len(walllist)):
windlist = []
adict2 = adict1[walllist[j]]
for num in range(0, len(blist)):
if bdict[blist[num]] == walllist[j]:
windlist = windlist + [blist[num]]
for k in range(0, len(windlist)):
adict2[windlist[k]] = {}
return doedict
|
makedoetree
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ddict, bdict):\n dlist = list(ddict.keys())\n blist = list(bdict.keys())\n dlist.sort()\n blist.sort()\n doesnot = 'DOES NOT'\n lst = []\n for num in range(0, len(blist)):\n if bdict[blist[num]] == doesnot:\n lst = lst + [blist[num]]\n doedict = {}\n for num in range(0, len(lst)):\n doedict[lst[num]] = {}\n lv1list = list(doedict.keys())\n lv1list.sort()\n for i in range(0, len(lv1list)):\n walllist = []\n adict = doedict[lv1list[i]]\n for num in range(0, len(blist)):\n if bdict[blist[num]] == lv1list[i]:\n walllist = walllist + [blist[num]]\n for j in range(0, len(walllist)):\n adict[walllist[j]] = {}\n for i in range(0, len(lv1list)):\n adict1 = doedict[lv1list[i]]\n walllist = list(adict1.keys())\n walllist.sort()\n for j in range(0, len(walllist)):\n windlist = []\n adict2 = adict1[walllist[j]]\n for num in range(0, len(blist)):\n if bdict[blist[num]] == walllist[j]:\n windlist = windlist + [blist[num]]\n for k in range(0, len(windlist)):\n adict2[windlist[k]] = {}\n return doedict\n",
"role": "user"
},
{
"content": "makedoetree",
"role": "assistant"
}
] |
def x(str1):
retstuff = makedoedict(str1)
ddict = makedoetree(retstuff[0], retstuff[1])
ddict = retstuff[0]
retstuff[1] = {}
str1 = ''
l1list = list(ddict.keys())
l1list.sort()
for i in range(0, len(l1list)):
str1 = str1 + ddict[l1list[i]]
l2list = list(ddict[l1list[i]].keys())
l2list.sort()
for j in range(0, len(l2list)):
str1 = str1 + ddict[l2list[j]]
l3list = list(ddict[l1list[i]][l2list[j]].keys())
l3list.sort()
for k in range(0, len(l3list)):
str1 = str1 + ddict[l3list[k]]
return str1
|
tree2doe
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(str1):\n retstuff = makedoedict(str1)\n ddict = makedoetree(retstuff[0], retstuff[1])\n ddict = retstuff[0]\n retstuff[1] = {}\n str1 = ''\n l1list = list(ddict.keys())\n l1list.sort()\n for i in range(0, len(l1list)):\n str1 = str1 + ddict[l1list[i]]\n l2list = list(ddict[l1list[i]].keys())\n l2list.sort()\n for j in range(0, len(l2list)):\n str1 = str1 + ddict[l2list[j]]\n l3list = list(ddict[l1list[i]][l2list[j]].keys())\n l3list.sort()\n for k in range(0, len(l3list)):\n str1 = str1 + ddict[l3list[k]]\n return str1\n",
"role": "user"
},
{
"content": "tree2doe",
"role": "assistant"
}
] |
def x(st1):
seperator = '$ =============='
alist = st1.split(seperator)
for num in range(0, len(alist)):
alist[num] = alist[num].lstrip()
st2 = ''
for num in range(0, len(alist)):
alist = tabstr2list(alist[num])
st2 = st2 + list2doe(alist)
lss = st2.split('..')
mylib1.write_str2file('forfinal.txt', st2)
print(len(lss))
st3 = tree2doe(st2)
lsss = st3.split('..')
print(len(lsss))
return st3
|
mtabstr2doestr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(st1):\n seperator = '$ =============='\n alist = st1.split(seperator)\n for num in range(0, len(alist)):\n alist[num] = alist[num].lstrip()\n st2 = ''\n for num in range(0, len(alist)):\n alist = tabstr2list(alist[num])\n st2 = st2 + list2doe(alist)\n lss = st2.split('..')\n mylib1.write_str2file('forfinal.txt', st2)\n print(len(lss))\n st3 = tree2doe(st2)\n lsss = st3.split('..')\n print(len(lsss))\n return st3\n",
"role": "user"
},
{
"content": "mtabstr2doestr",
"role": "assistant"
}
] |
def x(astr, start, end):
alist = astr.split(start)
astr = alist[-1]
alist = astr.split(end)
astr = alist[0]
return astr
|
getoneblock
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(astr, start, end):\n alist = astr.split(start)\n astr = alist[-1]\n alist = astr.split(end)\n astr = alist[0]\n return astr\n",
"role": "user"
},
{
"content": "getoneblock",
"role": "assistant"
}
] |
def x(astr, kword):
alist = astr.split('..')
del astr
for num in range(0, len(alist)):
alist[num] = alist[num].strip()
alist[num] = alist[num] + os.linesep + '..' + os.linesep
alist.pop()
lblock = []
for num in range(0, len(alist)):
linels = alist[num].split(os.linesep)
firstline = linels[0]
assignls = firstline.split('=')
keyword = assignls[-1].strip()
if keyword == kword:
lblock = lblock + [alist[num]]
lval = []
for num in range(0, len(lblock)):
block = lblock[num]
linel = block.split(os.linesep)
lvalin = []
for k in range(0, len(linel)):
line = linel[k]
assignl = line.split('=')
if k == 0:
lvalin = lvalin + [assignl[0]]
else:
if assignl[-1] == '..':
assignl[-1] = '.'
lvalin = lvalin + [assignl[-1]]
lvalin.pop()
lval = lval + [lvalin]
kwordl = []
block = lblock[0]
linel = block.split(os.linesep)
for k in range(0, len(linel)):
line = linel[k]
assignl = line.split('=')
if k == 0:
kword = ' = ' + assignl[1].strip()
else:
if assignl[0] == '..':
assignl[0] = '.'
else:
assignl[0] = assignl[0] + '='
kword = assignl[0].strip()
kwordl = kwordl + [kword]
kwordl.pop()
astr = ''
for num in range(0, len(kwordl)):
linest = ''
linest = linest + kwordl[num]
for k in range(0, len(lval)):
linest = linest + '\t' + lval[k][num]
astr = astr + linest + os.linesep
return astr
|
doestr2tabstr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(astr, kword):\n alist = astr.split('..')\n del astr\n for num in range(0, len(alist)):\n alist[num] = alist[num].strip()\n alist[num] = alist[num] + os.linesep + '..' + os.linesep\n alist.pop()\n lblock = []\n for num in range(0, len(alist)):\n linels = alist[num].split(os.linesep)\n firstline = linels[0]\n assignls = firstline.split('=')\n keyword = assignls[-1].strip()\n if keyword == kword:\n lblock = lblock + [alist[num]]\n lval = []\n for num in range(0, len(lblock)):\n block = lblock[num]\n linel = block.split(os.linesep)\n lvalin = []\n for k in range(0, len(linel)):\n line = linel[k]\n assignl = line.split('=')\n if k == 0:\n lvalin = lvalin + [assignl[0]]\n else:\n if assignl[-1] == '..':\n assignl[-1] = '.'\n lvalin = lvalin + [assignl[-1]]\n lvalin.pop()\n lval = lval + [lvalin]\n kwordl = []\n block = lblock[0]\n linel = block.split(os.linesep)\n for k in range(0, len(linel)):\n line = linel[k]\n assignl = line.split('=')\n if k == 0:\n kword = ' = ' + assignl[1].strip()\n else:\n if assignl[0] == '..':\n assignl[0] = '.'\n else:\n assignl[0] = assignl[0] + '='\n kword = assignl[0].strip()\n kwordl = kwordl + [kword]\n kwordl.pop()\n astr = ''\n for num in range(0, len(kwordl)):\n linest = ''\n linest = linest + kwordl[num]\n for k in range(0, len(lval)):\n linest = linest + '\\t' + lval[k][num]\n astr = astr + linest + os.linesep\n return astr\n",
"role": "user"
},
{
"content": "doestr2tabstr",
"role": "assistant"
}
] |
def x(astr, thefind, thereplace):
alist = astr.split(thefind)
new_s = alist.split(thereplace)
return new_s
|
myreplace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(astr, thefind, thereplace):\n alist = astr.split(thefind)\n new_s = alist.split(thereplace)\n return new_s\n",
"role": "user"
},
{
"content": "myreplace",
"role": "assistant"
}
] |
def x(astr, sub):
findex = astr.find(sub)
return astr[findex + len(sub):]
|
fsliceafter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(astr, sub):\n findex = astr.find(sub)\n return astr[findex + len(sub):]\n",
"role": "user"
},
{
"content": "fsliceafter",
"role": "assistant"
}
] |
def x(theobject, fname):
fhandle = open(fname, 'wb')
pickle.dump(theobject, fhandle)
|
pickledump
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(theobject, fname):\n fhandle = open(fname, 'wb')\n pickle.dump(theobject, fhandle)\n",
"role": "user"
},
{
"content": "pickledump",
"role": "assistant"
}
] |
def x(pathname, astr):
fname = pathname
fhandle = open(fname, 'wb')
fhandle.write(astr)
fhandle.close()
|
write_str2file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pathname, astr):\n fname = pathname\n fhandle = open(fname, 'wb')\n fhandle.write(astr)\n fhandle.close()\n",
"role": "user"
},
{
"content": "write_str2file",
"role": "assistant"
}
] |
def x(poly):
a_pnt = np.array(poly[0])
b_pnt = np.array(poly[1])
c_pnt = np.array(poly[2])
d_pnt = np.array(poly[3])
return abs(np.dot(a_pnt - d_pnt, np.cross(b_pnt - d_pnt, c_pnt - d_pnt)
) / 6)
|
vol_tehrahedron
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(poly):\n a_pnt = np.array(poly[0])\n b_pnt = np.array(poly[1])\n c_pnt = np.array(poly[2])\n d_pnt = np.array(poly[3])\n return abs(np.dot(a_pnt - d_pnt, np.cross(b_pnt - d_pnt, c_pnt - d_pnt)\n ) / 6)\n",
"role": "user"
},
{
"content": "vol_tehrahedron",
"role": "assistant"
}
] |
def x(poly1, poly2):
c_point = central_p(poly1, poly2)
c_point = c_point[0], c_point[1], c_point[2]
vol_therah = 0
num = len(poly1)
for i in range(num - 2):
tehrahedron = [c_point, poly1[0], poly1[i + 1], poly1[i + 2]]
vol_therah += vol_tehrahedron(tehrahedron)
tehrahedron = [c_point, poly2[0], poly2[i + 1], poly2[i + 2]]
vol_therah += vol_tehrahedron(tehrahedron)
for i in range(num - 1):
tehrahedron = [c_point, poly1[i], poly2[i], poly2[i + 1]]
vol_therah += vol_tehrahedron(tehrahedron)
tehrahedron = [c_point, poly1[i], poly1[i + 1], poly2[i]]
vol_therah += vol_tehrahedron(tehrahedron)
tehrahedron = [c_point, poly1[num - 1], poly2[num - 1], poly2[0]]
vol_therah += vol_tehrahedron(tehrahedron)
tehrahedron = [c_point, poly1[num - 1], poly1[0], poly2[0]]
vol_therah += vol_tehrahedron(tehrahedron)
return vol_therah
|
vol_zone
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(poly1, poly2):\n c_point = central_p(poly1, poly2)\n c_point = c_point[0], c_point[1], c_point[2]\n vol_therah = 0\n num = len(poly1)\n for i in range(num - 2):\n tehrahedron = [c_point, poly1[0], poly1[i + 1], poly1[i + 2]]\n vol_therah += vol_tehrahedron(tehrahedron)\n tehrahedron = [c_point, poly2[0], poly2[i + 1], poly2[i + 2]]\n vol_therah += vol_tehrahedron(tehrahedron)\n for i in range(num - 1):\n tehrahedron = [c_point, poly1[i], poly2[i], poly2[i + 1]]\n vol_therah += vol_tehrahedron(tehrahedron)\n tehrahedron = [c_point, poly1[i], poly1[i + 1], poly2[i]]\n vol_therah += vol_tehrahedron(tehrahedron)\n tehrahedron = [c_point, poly1[num - 1], poly2[num - 1], poly2[0]]\n vol_therah += vol_tehrahedron(tehrahedron)\n tehrahedron = [c_point, poly1[num - 1], poly1[0], poly2[0]]\n vol_therah += vol_tehrahedron(tehrahedron)\n return vol_therah\n",
"role": "user"
},
{
"content": "vol_zone",
"role": "assistant"
}
] |
def x(version=None):
if not version:
version = '8.9'
import eppy.easyopen as easyopen
idfstring = ' Version,{};'.format(str(version))
fhandle = StringIO(idfstring)
return easyopen.easyopen(fhandle)
|
newidf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(version=None):\n if not version:\n version = '8.9'\n import eppy.easyopen as easyopen\n idfstring = ' Version,{};'.format(str(version))\n fhandle = StringIO(idfstring)\n return easyopen.easyopen(fhandle)\n",
"role": "user"
},
{
"content": "newidf",
"role": "assistant"
}
] |
def x(fname, idd=None, epw=None):
import eppy.easyopen as easyopen
return easyopen.easyopen(fname, idd=idd, epw=epw)
|
openidf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname, idd=None, epw=None):\n import eppy.easyopen as easyopen\n return easyopen.easyopen(fname, idd=idd, epw=epw)\n",
"role": "user"
},
{
"content": "openidf",
"role": "assistant"
}
] |
def x(idf, bsdobject, deletebsd=True, setto000=False):
if bsdobject.Surface_Type.upper() == 'WALL':
if bsdobject.Outside_Boundary_Condition.upper() in ('SURFACE',
'ZONE', 'OtherSideCoefficients'.upper()):
simpleobject = idf.newidfobject('WALL:INTERZONE')
simpleobject.Name = bsdobject.Name
simpleobject.Construction_Name = bsdobject.Construction_Name
simpleobject.Zone_Name = bsdobject.Zone_Name
obco = 'Outside_Boundary_Condition_Object'
simpleobject[obco] = bsdobject[obco]
simpleobject.Azimuth_Angle = bsdobject.azimuth
simpleobject.Tilt_Angle = bsdobject.tilt
surforigin = bsdorigin(bsdobject, setto000=setto000)
simpleobject.Starting_X_Coordinate = surforigin[0]
simpleobject.Starting_Y_Coordinate = surforigin[1]
simpleobject.Starting_Z_Coordinate = surforigin[2]
simpleobject.Length = bsdobject.width
simpleobject.Height = bsdobject.height
if deletebsd:
idf.removeidfobject(bsdobject)
return simpleobject
return None
|
wallinterzone
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, bsdobject, deletebsd=True, setto000=False):\n if bsdobject.Surface_Type.upper() == 'WALL':\n if bsdobject.Outside_Boundary_Condition.upper() in ('SURFACE',\n 'ZONE', 'OtherSideCoefficients'.upper()):\n simpleobject = idf.newidfobject('WALL:INTERZONE')\n simpleobject.Name = bsdobject.Name\n simpleobject.Construction_Name = bsdobject.Construction_Name\n simpleobject.Zone_Name = bsdobject.Zone_Name\n obco = 'Outside_Boundary_Condition_Object'\n simpleobject[obco] = bsdobject[obco]\n simpleobject.Azimuth_Angle = bsdobject.azimuth\n simpleobject.Tilt_Angle = bsdobject.tilt\n surforigin = bsdorigin(bsdobject, setto000=setto000)\n simpleobject.Starting_X_Coordinate = surforigin[0]\n simpleobject.Starting_Y_Coordinate = surforigin[1]\n simpleobject.Starting_Z_Coordinate = surforigin[2]\n simpleobject.Length = bsdobject.width\n simpleobject.Height = bsdobject.height\n if deletebsd:\n idf.removeidfobject(bsdobject)\n return simpleobject\n return None\n",
"role": "user"
},
{
"content": "wallinterzone",
"role": "assistant"
}
] |
def x(idf, fsdobject, deletebsd=True, setto000=False):
if fsdobject.Surface_Type.upper() == 'DOOR':
simpleobject = idf.newidfobject('DOOR')
simpleobject.Name = fsdobject.Name
simpleobject.Construction_Name = fsdobject.Construction_Name
simpleobject.Building_Surface_Name = fsdobject.Building_Surface_Name
simpleobject.Multiplier = fsdobject.Multiplier
surforigin = fsdorigin(fsdobject, setto000=setto000)
simpleobject.Starting_X_Coordinate = surforigin[0]
simpleobject.Starting_Z_Coordinate = surforigin[1]
simpleobject.Length = fsdobject.width
simpleobject.Height = fsdobject.height
if deletebsd:
idf.removeidfobject(fsdobject)
return simpleobject
return None
|
door
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, fsdobject, deletebsd=True, setto000=False):\n if fsdobject.Surface_Type.upper() == 'DOOR':\n simpleobject = idf.newidfobject('DOOR')\n simpleobject.Name = fsdobject.Name\n simpleobject.Construction_Name = fsdobject.Construction_Name\n simpleobject.Building_Surface_Name = fsdobject.Building_Surface_Name\n simpleobject.Multiplier = fsdobject.Multiplier\n surforigin = fsdorigin(fsdobject, setto000=setto000)\n simpleobject.Starting_X_Coordinate = surforigin[0]\n simpleobject.Starting_Z_Coordinate = surforigin[1]\n simpleobject.Length = fsdobject.width\n simpleobject.Height = fsdobject.height\n if deletebsd:\n idf.removeidfobject(fsdobject)\n return simpleobject\n return None\n",
"role": "user"
},
{
"content": "door",
"role": "assistant"
}
] |
def x(idf, bsd, deletebsd=True, setto000=False):
funcs = (wallexterior, walladiabatic, wallunderground, wallinterzone,
roof, ceilingadiabatic, ceilinginterzone, floorgroundcontact,
flooradiabatic, floorinterzone)
for func in funcs:
surface = func(idf, bsd, deletebsd=deletebsd, setto000=setto000)
if surface:
return surface
return None
|
simplesurface
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, bsd, deletebsd=True, setto000=False):\n funcs = (wallexterior, walladiabatic, wallunderground, wallinterzone,\n roof, ceilingadiabatic, ceilinginterzone, floorgroundcontact,\n flooradiabatic, floorinterzone)\n for func in funcs:\n surface = func(idf, bsd, deletebsd=deletebsd, setto000=setto000)\n if surface:\n return surface\n return None\n",
"role": "user"
},
{
"content": "simplesurface",
"role": "assistant"
}
] |
def x(idf, fsd, deletebsd=True, setto000=False):
funcs = window, door, glazeddoor
for func in funcs:
fenestration = func(idf, fsd, deletebsd=deletebsd, setto000=setto000)
if fenestration:
return fenestration
return None
|
simplefenestration
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, fsd, deletebsd=True, setto000=False):\n funcs = window, door, glazeddoor\n for func in funcs:\n fenestration = func(idf, fsd, deletebsd=deletebsd, setto000=setto000)\n if fenestration:\n return fenestration\n return None\n",
"role": "user"
},
{
"content": "simplefenestration",
"role": "assistant"
}
] |
def x(td):
for br in td.find_all('br'):
br.replace_with('\n')
txt = six.text_type(td)
soup = BeautifulSoup(txt, 'lxml')
ntxt = soup.find('td')
return ntxt
|
tdbr2EOL
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(td):\n for br in td.find_all('br'):\n br.replace_with('\\n')\n txt = six.text_type(td)\n soup = BeautifulSoup(txt, 'lxml')\n ntxt = soup.find('td')\n return ntxt\n",
"role": "user"
},
{
"content": "tdbr2EOL",
"role": "assistant"
}
] |
def x(table):
tds = table('td')
for td in tds:
if td.contents != []:
td = tdbr2EOL(td)
if len(td.contents) == 1:
thecontents = td.contents[0]
if not isinstance(thecontents, NavigableString):
return False
else:
return False
return True
|
is_simpletable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table):\n tds = table('td')\n for td in tds:\n if td.contents != []:\n td = tdbr2EOL(td)\n if len(td.contents) == 1:\n thecontents = td.contents[0]\n if not isinstance(thecontents, NavigableString):\n return False\n else:\n return False\n return True\n",
"role": "user"
},
{
"content": "is_simpletable",
"role": "assistant"
}
] |
def x(table):
if not is_simpletable(table):
raise NotSimpleTable('Not able read a cell in the table as a string')
rows = []
for tr in table('tr'):
row = []
for td in tr('td'):
td = tdbr2EOL(td)
try:
row.append(td.contents[0])
except IndexError:
row.append('')
rows.append(row)
return rows
|
table2matrix
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table):\n if not is_simpletable(table):\n raise NotSimpleTable('Not able read a cell in the table as a string')\n rows = []\n for tr in table('tr'):\n row = []\n for td in tr('td'):\n td = tdbr2EOL(td)\n try:\n row.append(td.contents[0])\n except IndexError:\n row.append('')\n rows.append(row)\n return rows\n",
"role": "user"
},
{
"content": "table2matrix",
"role": "assistant"
}
] |
def x(table):
if not is_simpletable(table):
raise NotSimpleTable('Not able read a cell in the table as a string')
rows = []
for tr in table('tr'):
row = []
for td in tr('td'):
td = tdbr2EOL(td)
try:
val = td.contents[0]
except IndexError:
row.append('')
else:
try:
val = float(val)
row.append(val)
except ValueError:
row.append(val)
rows.append(row)
return rows
|
table2val_matrix
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table):\n if not is_simpletable(table):\n raise NotSimpleTable('Not able read a cell in the table as a string')\n rows = []\n for tr in table('tr'):\n row = []\n for td in tr('td'):\n td = tdbr2EOL(td)\n try:\n val = td.contents[0]\n except IndexError:\n row.append('')\n else:\n try:\n val = float(val)\n row.append(val)\n except ValueError:\n row.append(val)\n rows.append(row)\n return rows\n",
"role": "user"
},
{
"content": "table2val_matrix",
"role": "assistant"
}
] |
def x(html_doc, tofloat=True):
soup = BeautifulSoup(html_doc, 'html.parser')
btables = soup.find_all(['b', 'table'])
titletables = []
for i, item in enumerate(btables):
if item.name == 'table':
for j in range(i + 1):
if btables[i - j].name == 'b':
break
titletables.append((btables[i - j], item))
if tofloat:
t2m = table2val_matrix
else:
t2m = table2matrix
titlerows = [(tl.contents[0], t2m(tb)) for tl, tb in titletables]
return titlerows
|
titletable
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html_doc, tofloat=True):\n soup = BeautifulSoup(html_doc, 'html.parser')\n btables = soup.find_all(['b', 'table'])\n titletables = []\n for i, item in enumerate(btables):\n if item.name == 'table':\n for j in range(i + 1):\n if btables[i - j].name == 'b':\n break\n titletables.append((btables[i - j], item))\n if tofloat:\n t2m = table2val_matrix\n else:\n t2m = table2matrix\n titlerows = [(tl.contents[0], t2m(tb)) for tl, tb in titletables]\n return titlerows\n",
"role": "user"
},
{
"content": "titletable",
"role": "assistant"
}
] |
def x(soup_obj):
try:
name = soup_obj.name
if name == None:
return False
return True
except AttributeError:
return False
|
has_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup_obj):\n try:\n name = soup_obj.name\n if name == None:\n return False\n return True\n except AttributeError:\n return False\n",
"role": "user"
},
{
"content": "has_name",
"role": "assistant"
}
] |
def x(html_doc, tofloat=True):
soup = BeautifulSoup(html_doc, 'html.parser')
linestables = []
elements = soup.p.next_elements
for element in elements:
tabletup = []
if not _has_name(element):
continue
if element.name == 'table':
beforetable = []
prev_elements = element.previous_elements
for prev_element in prev_elements:
if not _has_name(prev_element):
continue
if prev_element.name not in ('br', None):
if prev_element.name in ('table', 'hr', 'tr', 'td'):
break
if prev_element.parent.name == 'p':
pass
elif prev_element.get_text():
beforetable.append(prev_element.get_text())
beforetable.reverse()
tabletup.append(beforetable)
function_selector = {(True): table2val_matrix, (False):
table2matrix}
function = function_selector[tofloat]
tabletup.append(function(element))
if tabletup:
linestables.append(tabletup)
return linestables
|
lines_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html_doc, tofloat=True):\n soup = BeautifulSoup(html_doc, 'html.parser')\n linestables = []\n elements = soup.p.next_elements\n for element in elements:\n tabletup = []\n if not _has_name(element):\n continue\n if element.name == 'table':\n beforetable = []\n prev_elements = element.previous_elements\n for prev_element in prev_elements:\n if not _has_name(prev_element):\n continue\n if prev_element.name not in ('br', None):\n if prev_element.name in ('table', 'hr', 'tr', 'td'):\n break\n if prev_element.parent.name == 'p':\n pass\n elif prev_element.get_text():\n beforetable.append(prev_element.get_text())\n beforetable.reverse()\n tabletup.append(beforetable)\n function_selector = {(True): table2val_matrix, (False):\n table2matrix}\n function = function_selector[tofloat]\n tabletup.append(function(element))\n if tabletup:\n linestables.append(tabletup)\n return linestables\n",
"role": "user"
},
{
"content": "lines_table",
"role": "assistant"
}
] |
def x(grid):
hnames = [_nospace(n) for n in grid[0][1:]]
vnames = [_nospace(row[0]) for row in grid[1:]]
vnames_s = ' '.join(vnames)
hnames_s = ' '.join(hnames)
ntcol = collections.namedtuple('ntcol', vnames_s)
ntrow = collections.namedtuple('ntrow', hnames_s)
rdict = [dict(list(zip(hnames, row[1:]))) for row in grid[1:]]
ntrows = [ntrow(**rdict[i]) for i, name in enumerate(vnames)]
ntcols = ntcol(**dict(list(zip(vnames, ntrows))))
return ntcols
|
make_ntgrid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(grid):\n hnames = [_nospace(n) for n in grid[0][1:]]\n vnames = [_nospace(row[0]) for row in grid[1:]]\n vnames_s = ' '.join(vnames)\n hnames_s = ' '.join(hnames)\n ntcol = collections.namedtuple('ntcol', vnames_s)\n ntrow = collections.namedtuple('ntrow', hnames_s)\n rdict = [dict(list(zip(hnames, row[1:]))) for row in grid[1:]]\n ntrows = [ntrow(**rdict[i]) for i, name in enumerate(vnames)]\n ntcols = ntcol(**dict(list(zip(vnames, ntrows))))\n return ntcols\n",
"role": "user"
},
{
"content": "make_ntgrid",
"role": "assistant"
}
] |
def x(name):
legalchar = ascii_letters + digits + ' '
return ''.join([s for s in name[:] if s in legalchar])
|
onlylegalchar
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n legalchar = ascii_letters + digits + ' '\n return ''.join([s for s in name[:] if s in legalchar])\n",
"role": "user"
},
{
"content": "onlylegalchar",
"role": "assistant"
}
] |
def x(field_a, field_b):
normalised_a = field_a.replace(' ', '_').lower()
normalised_b = field_b.replace(' ', '_').lower()
return normalised_a == normalised_b
|
matchfieldnames
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(field_a, field_b):\n normalised_a = field_a.replace(' ', '_').lower()\n normalised_b = field_b.replace(' ', '_').lower()\n return normalised_a == normalised_b\n",
"role": "user"
},
{
"content": "matchfieldnames",
"role": "assistant"
}
] |
def x(lst):
for item in lst:
try:
item = int(item)
return True
except ValueError:
pass
return False
|
intinlist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lst):\n for item in lst:\n try:\n item = int(item)\n return True\n except ValueError:\n pass\n return False\n",
"role": "user"
},
{
"content": "intinlist",
"role": "assistant"
}
] |
def x(fname, replacewith='%s'):
words = fname.split()
for i, word in enumerate(words):
try:
word = int(word)
words[i] = replacewith
except ValueError:
pass
return ' '.join(words)
|
replaceint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname, replacewith='%s'):\n words = fname.split()\n for i, word in enumerate(words):\n try:\n word = int(word)\n words[i] = replacewith\n except ValueError:\n pass\n return ' '.join(words)\n",
"role": "user"
},
{
"content": "replaceint",
"role": "assistant"
}
] |
def x(acomm):
for key in list(acomm.keys()):
val = acomm[key]
acomm[key.lower()] = val
for key in list(acomm.keys()):
val = acomm[key]
if key != key.lower():
acomm.pop(key)
return acomm
|
cleaniddfield
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(acomm):\n for key in list(acomm.keys()):\n val = acomm[key]\n acomm[key.lower()] = val\n for key in list(acomm.keys()):\n val = acomm[key]\n if key != key.lower():\n acomm.pop(key)\n return acomm\n",
"role": "user"
},
{
"content": "cleaniddfield",
"role": "assistant"
}
] |
def x(thediffs, dtls, n1, n2):
def x(val):
if val == None:
return 'not here'
else:
return 'is here'
rows = []
rows.append(['file1 = %s' % (n1,)])
rows.append(['file2 = %s' % (n2,)])
rows.append('')
rows.append(theheader(n1, n2))
keys = list(thediffs.keys())
keys.sort()
dtlssorter = DtlsSorter(dtls)
keys = sorted(keys, key=dtlssorter.getkey)
for key in keys:
if len(key) == 2:
rw2 = [''] + [ishere(i) for i in thediffs[key]]
else:
rw2 = list(thediffs[key])
rw1 = list(key)
rows.append(rw1 + rw2)
return rows
|
makecsvdiffs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(thediffs, dtls, n1, n2):\n\n def x(val):\n if val == None:\n return 'not here'\n else:\n return 'is here'\n rows = []\n rows.append(['file1 = %s' % (n1,)])\n rows.append(['file2 = %s' % (n2,)])\n rows.append('')\n rows.append(theheader(n1, n2))\n keys = list(thediffs.keys())\n keys.sort()\n dtlssorter = DtlsSorter(dtls)\n keys = sorted(keys, key=dtlssorter.getkey)\n for key in keys:\n if len(key) == 2:\n rw2 = [''] + [ishere(i) for i in thediffs[key]]\n else:\n rw2 = list(thediffs[key])\n rw1 = list(key)\n rows.append(rw1 + rw2)\n return rows\n",
"role": "user"
},
{
"content": "makecsvdiffs",
"role": "assistant"
}
] |
def x(idf1, idf2):
thediffs = {}
keys = idf1.model.dtls
for akey in keys:
idfobjs1 = idf1.idfobjects[akey]
idfobjs2 = idf2.idfobjects[akey]
names = set([getobjname(i) for i in idfobjs1] + [getobjname(i) for
i in idfobjs2])
names = sorted(names)
idfobjs1 = sorted(idfobjs1, key=lambda idfobj: idfobj['obj'])
idfobjs2 = sorted(idfobjs2, key=lambda idfobj: idfobj['obj'])
for name in names:
n_idfobjs1 = [item for item in idfobjs1 if getobjname(item) == name
]
n_idfobjs2 = [item for item in idfobjs2 if getobjname(item) == name
]
for idfobj1, idfobj2 in zip_longest(n_idfobjs1, n_idfobjs2):
if idfobj1 == None:
thediffs[idfobj2.key.upper(), getobjname(idfobj2)
] = None, idf2.idfname
break
if idfobj2 == None:
thediffs[idfobj1.key.upper(), getobjname(idfobj1)
] = idf1.idfname, None
break
for i, (f1, f2) in enumerate(zip(idfobj1.obj, idfobj2.obj)):
if i == 0:
f1, f2 = f1.upper(), f2.upper()
if f1 != f2:
thediffs[akey, getobjname(idfobj1), idfobj1.objidd[
i]['field'][0]] = f1, f2
return thediffs
|
idfdiffs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf1, idf2):\n thediffs = {}\n keys = idf1.model.dtls\n for akey in keys:\n idfobjs1 = idf1.idfobjects[akey]\n idfobjs2 = idf2.idfobjects[akey]\n names = set([getobjname(i) for i in idfobjs1] + [getobjname(i) for\n i in idfobjs2])\n names = sorted(names)\n idfobjs1 = sorted(idfobjs1, key=lambda idfobj: idfobj['obj'])\n idfobjs2 = sorted(idfobjs2, key=lambda idfobj: idfobj['obj'])\n for name in names:\n n_idfobjs1 = [item for item in idfobjs1 if getobjname(item) == name\n ]\n n_idfobjs2 = [item for item in idfobjs2 if getobjname(item) == name\n ]\n for idfobj1, idfobj2 in zip_longest(n_idfobjs1, n_idfobjs2):\n if idfobj1 == None:\n thediffs[idfobj2.key.upper(), getobjname(idfobj2)\n ] = None, idf2.idfname\n break\n if idfobj2 == None:\n thediffs[idfobj1.key.upper(), getobjname(idfobj1)\n ] = idf1.idfname, None\n break\n for i, (f1, f2) in enumerate(zip(idfobj1.obj, idfobj2.obj)):\n if i == 0:\n f1, f2 = f1.upper(), f2.upper()\n if f1 != f2:\n thediffs[akey, getobjname(idfobj1), idfobj1.objidd[\n i]['field'][0]] = f1, f2\n return thediffs\n",
"role": "user"
},
{
"content": "idfdiffs",
"role": "assistant"
}
] |
def x(csvdiffs):
for row in csvdiffs:
print(','.join([str(cell) for cell in row]))
|
printcsv
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(csvdiffs):\n for row in csvdiffs:\n print(','.join([str(cell) for cell in row]))\n",
"role": "user"
},
{
"content": "printcsv",
"role": "assistant"
}
] |
def x(soup, table, row):
tr = Tag(soup, name='tr')
table.append(tr)
for attr in row:
th = Tag(soup, name='th')
tr.append(th)
th.append(attr)
|
heading2table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup, table, row):\n tr = Tag(soup, name='tr')\n table.append(tr)\n for attr in row:\n th = Tag(soup, name='th')\n tr.append(th)\n th.append(attr)\n",
"role": "user"
},
{
"content": "heading2table",
"role": "assistant"
}
] |
def x(soup, table, row):
tr = Tag(soup, name='tr')
table.append(tr)
for attr in row:
td = Tag(soup, name='td')
tr.append(td)
td.append(attr)
|
row2table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(soup, table, row):\n tr = Tag(soup, name='tr')\n table.append(tr)\n for attr in row:\n td = Tag(soup, name='td')\n tr.append(td)\n td.append(attr)\n",
"role": "user"
},
{
"content": "row2table",
"role": "assistant"
}
] |
def x(csvdiffs):
soup = BeautifulSoup()
html = Tag(soup, name='html')
para1 = Tag(soup, name='p')
para1.append(csvdiffs[0][0])
para2 = Tag(soup, name='p')
para2.append(csvdiffs[1][0])
table = Tag(soup, name='table')
table.attrs.update(dict(border='1'))
soup.append(html)
html.append(para1)
html.append(para2)
html.append(table)
heading2table(soup, table, csvdiffs[3])
for row in csvdiffs[4:]:
row = [str(cell) for cell in row]
row2table(soup, table, row)
print(soup)
|
printhtml
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(csvdiffs):\n soup = BeautifulSoup()\n html = Tag(soup, name='html')\n para1 = Tag(soup, name='p')\n para1.append(csvdiffs[0][0])\n para2 = Tag(soup, name='p')\n para2.append(csvdiffs[1][0])\n table = Tag(soup, name='table')\n table.attrs.update(dict(border='1'))\n soup.append(html)\n html.append(para1)\n html.append(para2)\n html.append(table)\n heading2table(soup, table, csvdiffs[3])\n for row in csvdiffs[4:]:\n row = [str(cell) for cell in row]\n row2table(soup, table, row)\n print(soup)\n",
"role": "user"
},
{
"content": "printhtml",
"role": "assistant"
}
] |
def x(lst, i, value=''):
if i < len(lst):
pass
else:
lst.extend([value] * (i - len(lst) + 1))
|
extendlist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lst, i, value=''):\n if i < len(lst):\n pass\n else:\n lst.extend([value] * (i - len(lst) + 1))\n",
"role": "user"
},
{
"content": "extendlist",
"role": "assistant"
}
] |
def x(abunch):
key = abunch.obj[0].upper()
snames = ['BuildingSurface:Detailed', 'Wall:Detailed',
'RoofCeiling:Detailed', 'Floor:Detailed',
'FenestrationSurface:Detailed', 'Shading:Site:Detailed',
'Shading:Building:Detailed', 'Shading:Zone:Detailed']
snames = [sname.upper() for sname in snames]
if key in snames:
func_dict = {'area': fh.area, 'height': fh.height, 'width': fh.
width, 'azimuth': fh.azimuth, 'tilt': fh.tilt, 'coords': fh.
getcoords}
abunch.__functions.update(func_dict)
names = ['CONSTRUCTION', 'MATERIAL', 'MATERIAL:AIRGAP',
'MATERIAL:INFRAREDTRANSPARENT', 'MATERIAL:NOMASS',
'MATERIAL:ROOFVEGETATION', 'WINDOWMATERIAL:BLIND',
'WINDOWMATERIAL:GLAZING',
'WINDOWMATERIAL:GLAZING:REFRACTIONEXTINCTIONMETHOD',
'WINDOWMATERIAL:GAP', 'WINDOWMATERIAL:GAS',
'WINDOWMATERIAL:GASMIXTURE',
'WINDOWMATERIAL:GLAZINGGROUP:THERMOCHROMIC',
'WINDOWMATERIAL:SCREEN', 'WINDOWMATERIAL:SHADE',
'WINDOWMATERIAL:SIMPLEGLAZINGSYSTEM']
if key in names:
func_dict = {'rvalue': fh.rvalue, 'ufactor': fh.ufactor,
'rvalue_ip': fh.rvalue_ip, 'ufactor_ip': fh.ufactor_ip,
'heatcapacity': fh.heatcapacity}
abunch.__functions.update(func_dict)
names = ['FAN:CONSTANTVOLUME', 'FAN:VARIABLEVOLUME', 'FAN:ONOFF',
'FAN:ZONEEXHAUST', 'FANPERFORMANCE:NIGHTVENTILATION']
if key in names:
func_dict = {'f_fanpower_bhp': fh.fanpower_bhp, 'f_fanpower_watts':
fh.fanpower_watts, 'f_fan_maxcfm': fh.fan_maxcfm}
abunch.__functions.update(func_dict)
if key == 'ZONE':
func_dict = {'zonesurfaces': fh.zonesurfaces}
abunch.__functions.update(func_dict)
fields = abunch.fieldnames
try:
group = abunch.getfieldidd('key')['group']
except KeyError as e:
group = None
if group == u'Thermal Zones and Surfaces':
if 'Zone_Name' in fields:
func_dict = {'subsurfaces': fh.subsurfaces}
abunch.__functions.update(func_dict)
return abunch
|
addfunctions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(abunch):\n key = abunch.obj[0].upper()\n snames = ['BuildingSurface:Detailed', 'Wall:Detailed',\n 'RoofCeiling:Detailed', 'Floor:Detailed',\n 'FenestrationSurface:Detailed', 'Shading:Site:Detailed',\n 'Shading:Building:Detailed', 'Shading:Zone:Detailed']\n snames = [sname.upper() for sname in snames]\n if key in snames:\n func_dict = {'area': fh.area, 'height': fh.height, 'width': fh.\n width, 'azimuth': fh.azimuth, 'tilt': fh.tilt, 'coords': fh.\n getcoords}\n abunch.__functions.update(func_dict)\n names = ['CONSTRUCTION', 'MATERIAL', 'MATERIAL:AIRGAP',\n 'MATERIAL:INFRAREDTRANSPARENT', 'MATERIAL:NOMASS',\n 'MATERIAL:ROOFVEGETATION', 'WINDOWMATERIAL:BLIND',\n 'WINDOWMATERIAL:GLAZING',\n 'WINDOWMATERIAL:GLAZING:REFRACTIONEXTINCTIONMETHOD',\n 'WINDOWMATERIAL:GAP', 'WINDOWMATERIAL:GAS',\n 'WINDOWMATERIAL:GASMIXTURE',\n 'WINDOWMATERIAL:GLAZINGGROUP:THERMOCHROMIC',\n 'WINDOWMATERIAL:SCREEN', 'WINDOWMATERIAL:SHADE',\n 'WINDOWMATERIAL:SIMPLEGLAZINGSYSTEM']\n if key in names:\n func_dict = {'rvalue': fh.rvalue, 'ufactor': fh.ufactor,\n 'rvalue_ip': fh.rvalue_ip, 'ufactor_ip': fh.ufactor_ip,\n 'heatcapacity': fh.heatcapacity}\n abunch.__functions.update(func_dict)\n names = ['FAN:CONSTANTVOLUME', 'FAN:VARIABLEVOLUME', 'FAN:ONOFF',\n 'FAN:ZONEEXHAUST', 'FANPERFORMANCE:NIGHTVENTILATION']\n if key in names:\n func_dict = {'f_fanpower_bhp': fh.fanpower_bhp, 'f_fanpower_watts':\n fh.fanpower_watts, 'f_fan_maxcfm': fh.fan_maxcfm}\n abunch.__functions.update(func_dict)\n if key == 'ZONE':\n func_dict = {'zonesurfaces': fh.zonesurfaces}\n abunch.__functions.update(func_dict)\n fields = abunch.fieldnames\n try:\n group = abunch.getfieldidd('key')['group']\n except KeyError as e:\n group = None\n if group == u'Thermal Zones and Surfaces':\n if 'Zone_Name' in fields:\n func_dict = {'subsurfaces': fh.subsurfaces}\n abunch.__functions.update(func_dict)\n return abunch\n",
"role": "user"
},
{
"content": "addfunctions",
"role": "assistant"
}
] |
def x(bch, fieldname):
keys = ['maximum', 'minimum', 'maximum<', 'minimum>', 'type']
index = bch.objls.index(fieldname)
fielddct_orig = bch.objidd[index]
fielddct = copy.deepcopy(fielddct_orig)
therange = {}
for key in keys:
therange[key] = fielddct.setdefault(key, None)
if therange['type']:
therange['type'] = therange['type'][0]
if therange['type'] == 'real':
for key in keys[:-1]:
if therange[key]:
therange[key] = float(therange[key][0])
if therange['type'] == 'integer':
for key in keys[:-1]:
if therange[key]:
therange[key] = int(therange[key][0])
return therange
|
getrange
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bch, fieldname):\n keys = ['maximum', 'minimum', 'maximum<', 'minimum>', 'type']\n index = bch.objls.index(fieldname)\n fielddct_orig = bch.objidd[index]\n fielddct = copy.deepcopy(fielddct_orig)\n therange = {}\n for key in keys:\n therange[key] = fielddct.setdefault(key, None)\n if therange['type']:\n therange['type'] = therange['type'][0]\n if therange['type'] == 'real':\n for key in keys[:-1]:\n if therange[key]:\n therange[key] = float(therange[key][0])\n if therange['type'] == 'integer':\n for key in keys[:-1]:\n if therange[key]:\n therange[key] = int(therange[key][0])\n return therange\n",
"role": "user"
},
{
"content": "getrange",
"role": "assistant"
}
] |
def x(bch, fieldname):
fieldvalue = bch[fieldname]
therange = bch.getrange(fieldname)
if therange['maximum'] != None:
if fieldvalue > therange['maximum']:
astr = "Value %s is not less or equal to the 'maximum' of %s"
astr = astr % (fieldvalue, therange['maximum'])
raise RangeError(astr)
if therange['minimum'] != None:
if fieldvalue < therange['minimum']:
astr = "Value %s is not greater or equal to the 'minimum' of %s"
astr = astr % (fieldvalue, therange['minimum'])
raise RangeError(astr)
if therange['maximum<'] != None:
if fieldvalue >= therange['maximum<']:
astr = "Value %s is not less than the 'maximum<' of %s"
astr = astr % (fieldvalue, therange['maximum<'])
raise RangeError(astr)
if therange['minimum>'] != None:
if fieldvalue <= therange['minimum>']:
astr = "Value %s is not greater than the 'minimum>' of %s"
astr = astr % (fieldvalue, therange['minimum>'])
raise RangeError(astr)
return fieldvalue
"""get the idd dict for this field
Will return {} if the fieldname does not exist"""
|
checkrange
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bch, fieldname):\n fieldvalue = bch[fieldname]\n therange = bch.getrange(fieldname)\n if therange['maximum'] != None:\n if fieldvalue > therange['maximum']:\n astr = \"Value %s is not less or equal to the 'maximum' of %s\"\n astr = astr % (fieldvalue, therange['maximum'])\n raise RangeError(astr)\n if therange['minimum'] != None:\n if fieldvalue < therange['minimum']:\n astr = \"Value %s is not greater or equal to the 'minimum' of %s\"\n astr = astr % (fieldvalue, therange['minimum'])\n raise RangeError(astr)\n if therange['maximum<'] != None:\n if fieldvalue >= therange['maximum<']:\n astr = \"Value %s is not less than the 'maximum<' of %s\"\n astr = astr % (fieldvalue, therange['maximum<'])\n raise RangeError(astr)\n if therange['minimum>'] != None:\n if fieldvalue <= therange['minimum>']:\n astr = \"Value %s is not greater than the 'minimum>' of %s\"\n astr = astr % (fieldvalue, therange['minimum>'])\n raise RangeError(astr)\n return fieldvalue\n \"\"\"get the idd dict for this field\n Will return {} if the fieldname does not exist\"\"\"\n",
"role": "user"
},
{
"content": "checkrange",
"role": "assistant"
}
] |
def x(bch, fieldname):
try:
fieldindex = bch.objls.index(fieldname)
except ValueError as e:
return {}
fieldidd = bch.objidd[fieldindex]
return fieldidd
|
getfieldidd
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bch, fieldname):\n try:\n fieldindex = bch.objls.index(fieldname)\n except ValueError as e:\n return {}\n fieldidd = bch.objidd[fieldindex]\n return fieldidd\n",
"role": "user"
},
{
"content": "getfieldidd",
"role": "assistant"
}
] |
def x(bch, fieldname, iddkey):
fieldidd = getfieldidd(bch, fieldname)
try:
return fieldidd[iddkey]
except KeyError as e:
return []
|
getfieldidd_item
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bch, fieldname, iddkey):\n fieldidd = getfieldidd(bch, fieldname)\n try:\n return fieldidd[iddkey]\n except KeyError as e:\n return []\n",
"role": "user"
},
{
"content": "getfieldidd_item",
"role": "assistant"
}
] |
def x(bch, fieldname, value, places=7):
def x(bch, fieldname, value):
if bch.get_retaincase(fieldname):
return bch[fieldname] == value
else:
return bch[fieldname].upper() == value.upper()
fieldidd = bch.getfieldidd(fieldname)
try:
ftype = fieldidd['type'][0]
if ftype in ['real', 'integer']:
return almostequal(bch[fieldname], float(value), places=places)
else:
return equalalphanumeric(bch, fieldname, value)
except KeyError as e:
return equalalphanumeric(bch, fieldname, value)
|
isequal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bch, fieldname, value, places=7):\n\n def x(bch, fieldname, value):\n if bch.get_retaincase(fieldname):\n return bch[fieldname] == value\n else:\n return bch[fieldname].upper() == value.upper()\n fieldidd = bch.getfieldidd(fieldname)\n try:\n ftype = fieldidd['type'][0]\n if ftype in ['real', 'integer']:\n return almostequal(bch[fieldname], float(value), places=places)\n else:\n return equalalphanumeric(bch, fieldname, value)\n except KeyError as e:\n return equalalphanumeric(bch, fieldname, value)\n",
"role": "user"
},
{
"content": "isequal",
"role": "assistant"
}
] |
def x(referedobj, iddgroups=None, fields=None):
referringobjs = []
idf = referedobj.theidf
referedidd = referedobj.getfieldidd('Name')
try:
references = referedidd['reference']
except KeyError as e:
return referringobjs
idfobjs = idf.idfobjects.values()
idfobjs = list(itertools.chain.from_iterable(idfobjs))
if iddgroups:
idfobjs = [anobj for anobj in idfobjs if anobj.getfieldidd('key')[
'group'] in iddgroups]
for anobj in idfobjs:
if not fields:
thefields = anobj.objls
else:
thefields = fields
for field in thefields:
try:
itsidd = anobj.getfieldidd(field)
except ValueError as e:
continue
if 'object-list' in itsidd:
refname = itsidd['object-list'][0]
if refname in references:
if referedobj.isequal('Name', anobj[field]):
referringobjs.append(anobj)
return referringobjs
|
getreferingobjs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(referedobj, iddgroups=None, fields=None):\n referringobjs = []\n idf = referedobj.theidf\n referedidd = referedobj.getfieldidd('Name')\n try:\n references = referedidd['reference']\n except KeyError as e:\n return referringobjs\n idfobjs = idf.idfobjects.values()\n idfobjs = list(itertools.chain.from_iterable(idfobjs))\n if iddgroups:\n idfobjs = [anobj for anobj in idfobjs if anobj.getfieldidd('key')[\n 'group'] in iddgroups]\n for anobj in idfobjs:\n if not fields:\n thefields = anobj.objls\n else:\n thefields = fields\n for field in thefields:\n try:\n itsidd = anobj.getfieldidd(field)\n except ValueError as e:\n continue\n if 'object-list' in itsidd:\n refname = itsidd['object-list'][0]\n if refname in references:\n if referedobj.isequal('Name', anobj[field]):\n referringobjs.append(anobj)\n return referringobjs\n",
"role": "user"
},
{
"content": "getreferingobjs",
"role": "assistant"
}
] |
def x(referring_object, fieldname):
idf = referring_object.theidf
object_list = referring_object.getfieldidd_item(fieldname, u'object-list')
for obj_type in idf.idfobjects:
for obj in idf.idfobjects[obj_type]:
valid_object_lists = obj.getfieldidd_item('Name', u'reference')
if set(object_list).intersection(set(valid_object_lists)):
referenced_obj_name = referring_object[fieldname]
if obj.Name == referenced_obj_name:
return obj
|
get_referenced_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(referring_object, fieldname):\n idf = referring_object.theidf\n object_list = referring_object.getfieldidd_item(fieldname, u'object-list')\n for obj_type in idf.idfobjects:\n for obj in idf.idfobjects[obj_type]:\n valid_object_lists = obj.getfieldidd_item('Name', u'reference')\n if set(object_list).intersection(set(valid_object_lists)):\n referenced_obj_name = referring_object[fieldname]\n if obj.Name == referenced_obj_name:\n return obj\n",
"role": "user"
},
{
"content": "get_referenced_object",
"role": "assistant"
}
] |
def x(self, fieldname, value, places=7):
return isequal(self, fieldname, value, places=places)
|
isequal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fieldname, value, places=7):\n return isequal(self, fieldname, value, places=places)\n",
"role": "user"
},
{
"content": "isequal",
"role": "assistant"
}
] |
def x(self, iddgroups=None, fields=None):
return getreferingobjs(self, iddgroups=iddgroups, fields=fields)
|
getreferingobjs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, iddgroups=None, fields=None):\n return getreferingobjs(self, iddgroups=iddgroups, fields=fields)\n",
"role": "user"
},
{
"content": "getreferingobjs",
"role": "assistant"
}
] |
def x(poly):
p_a = np.array(poly[0])
p_b = np.array(poly[1])
p_c = np.array(poly[2])
p_d = np.array(poly[3])
return abs(np.dot(np.subtract(p_a, p_d), np.cross(np.subtract(p_b, p_d),
np.subtract(p_c, p_d))) / 6)
|
vol_tehrahedron
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(poly):\n p_a = np.array(poly[0])\n p_b = np.array(poly[1])\n p_c = np.array(poly[2])\n p_d = np.array(poly[3])\n return abs(np.dot(np.subtract(p_a, p_d), np.cross(np.subtract(p_b, p_d),\n np.subtract(p_c, p_d))) / 6)\n",
"role": "user"
},
{
"content": "vol_tehrahedron",
"role": "assistant"
}
] |
def x(poly1, poly2):
c_point = central_p(poly1, poly2)
c_point = c_point[0], c_point[1], c_point[2]
vol_therah = 0
num = len(poly1)
poly1.append(poly1[0])
poly2.append(poly2[0])
for i in range(num - 2):
tehrahedron = [c_point, poly1[0], poly1[i + 1], poly1[i + 2]]
vol_therah += vol_tehrahedron(tehrahedron)
tehrahedron = [c_point, poly2[0], poly2[i + 1], poly2[i + 2]]
vol_therah += vol_tehrahedron(tehrahedron)
for i in range(num):
tehrahedron = [c_point, poly1[i], poly2[i], poly2[i + 1]]
vol_therah += vol_tehrahedron(tehrahedron)
tehrahedron = [c_point, poly1[i], poly1[i + 1], poly2[i]]
vol_therah += vol_tehrahedron(tehrahedron)
return vol_therah
|
vol
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(poly1, poly2):\n c_point = central_p(poly1, poly2)\n c_point = c_point[0], c_point[1], c_point[2]\n vol_therah = 0\n num = len(poly1)\n poly1.append(poly1[0])\n poly2.append(poly2[0])\n for i in range(num - 2):\n tehrahedron = [c_point, poly1[0], poly1[i + 1], poly1[i + 2]]\n vol_therah += vol_tehrahedron(tehrahedron)\n tehrahedron = [c_point, poly2[0], poly2[i + 1], poly2[i + 2]]\n vol_therah += vol_tehrahedron(tehrahedron)\n for i in range(num):\n tehrahedron = [c_point, poly1[i], poly2[i], poly2[i + 1]]\n vol_therah += vol_tehrahedron(tehrahedron)\n tehrahedron = [c_point, poly1[i], poly1[i + 1], poly2[i]]\n vol_therah += vol_tehrahedron(tehrahedron)\n return vol_therah\n",
"role": "user"
},
{
"content": "vol",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.