source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(commdct):
refdct = {}
for comm in commdct:
try:
idfobj = comm[0]['idfobj'].upper()
field1 = comm[1]
if 'Name' in field1['field']:
references = field1['reference']
refdct[idfobj] = references
except (KeyError, IndexError) as e:
continue
return refdct
|
makename2refdct
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(commdct):\n refdct = {}\n for comm in commdct:\n try:\n idfobj = comm[0]['idfobj'].upper()\n field1 = comm[1]\n if 'Name' in field1['field']:\n references = field1['reference']\n refdct[idfobj] = references\n except (KeyError, IndexError) as e:\n continue\n return refdct\n",
"role": "user"
},
{
"content": "makename2refdct",
"role": "assistant"
}
] |
def x(name2refdct):
ref2namesdct = {}
for key, values in name2refdct.items():
for value in values:
ref2namesdct.setdefault(value, set()).add(key)
return ref2namesdct
|
makeref2namesdct
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name2refdct):\n ref2namesdct = {}\n for key, values in name2refdct.items():\n for value in values:\n ref2namesdct.setdefault(value, set()).add(key)\n return ref2namesdct\n",
"role": "user"
},
{
"content": "makeref2namesdct",
"role": "assistant"
}
] |
def x(ref2names, commdct):
for comm in commdct:
for cdct in comm:
try:
refs = cdct['object-list'][0]
validobjects = ref2names[refs]
cdct.update({'validobjects': validobjects})
except KeyError as e:
continue
return commdct
|
ref2names2commdct
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ref2names, commdct):\n for comm in commdct:\n for cdct in comm:\n try:\n refs = cdct['object-list'][0]\n validobjects = ref2names[refs]\n cdct.update({'validobjects': validobjects})\n except KeyError as e:\n continue\n return commdct\n",
"role": "user"
},
{
"content": "ref2names2commdct",
"role": "assistant"
}
] |
def x(poly):
poly_xy = []
num = len(poly)
for i in range(num):
poly[i] = poly[i][0:2] + (0,)
poly_xy.append(poly[i])
return surface.area(poly)
|
area
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(poly):\n poly_xy = []\n num = len(poly)\n for i in range(num):\n poly[i] = poly[i][0:2] + (0,)\n poly_xy.append(poly[i])\n return surface.area(poly)\n",
"role": "user"
},
{
"content": "area",
"role": "assistant"
}
] |
def x(edges, component):
e = edges
c = component
n2c = [(a, b) for a, b in e if type(a) == tuple]
c2n = [(a, b) for a, b in e if type(b) == tuple]
node2cs = [(a, b) for a, b in e if b == c]
c2nodes = []
for node2c in node2cs:
c2node = [(a, b) for a, b in c2n if b == node2c[0]]
if len(c2node) == 0:
c2nodes = []
break
c2nodes.append(c2node[0])
cs = [a for a, b in c2nodes]
nonodes = [(a, b) for a, b in e if type(a) != tuple and type(b) != tuple]
for a, b in nonodes:
if b == component:
cs.append(a)
return cs
|
prevnode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(edges, component):\n e = edges\n c = component\n n2c = [(a, b) for a, b in e if type(a) == tuple]\n c2n = [(a, b) for a, b in e if type(b) == tuple]\n node2cs = [(a, b) for a, b in e if b == c]\n c2nodes = []\n for node2c in node2cs:\n c2node = [(a, b) for a, b in c2n if b == node2c[0]]\n if len(c2node) == 0:\n c2nodes = []\n break\n c2nodes.append(c2node[0])\n cs = [a for a, b in c2nodes]\n nonodes = [(a, b) for a, b in e if type(a) != tuple and type(b) != tuple]\n for a, b in nonodes:\n if b == component:\n cs.append(a)\n return cs\n",
"role": "user"
},
{
"content": "prevnode",
"role": "assistant"
}
] |
def x(poly):
num = len(poly)
hgt = 0.0
for i in range(num):
hgt += poly[i][2]
return hgt / num
|
height
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(poly):\n num = len(poly)\n hgt = 0.0\n for i in range(num):\n hgt += poly[i][2]\n return hgt / num\n",
"role": "user"
},
{
"content": "height",
"role": "assistant"
}
] |
def x(apnt, bpnt, cpnt):
xvar = np.tinylinalg.det([[1, apnt[1], apnt[2]], [1, bpnt[1], bpnt[2]],
[1, cpnt[1], cpnt[2]]])
yvar = np.tinylinalg.det([[apnt[0], 1, apnt[2]], [bpnt[0], 1, bpnt[2]],
[cpnt[0], 1, cpnt[2]]])
zvar = np.tinylinalg.det([[apnt[0], apnt[1], 1], [bpnt[0], bpnt[1], 1],
[cpnt[0], cpnt[1], 1]])
magnitude = (xvar ** 2 + yvar ** 2 + zvar ** 2) ** 0.5
if magnitude < 1e-08:
mag = 0, 0, 0
else:
mag = xvar / magnitude, yvar / magnitude, zvar / magnitude
return mag
|
unit_normal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(apnt, bpnt, cpnt):\n xvar = np.tinylinalg.det([[1, apnt[1], apnt[2]], [1, bpnt[1], bpnt[2]],\n [1, cpnt[1], cpnt[2]]])\n yvar = np.tinylinalg.det([[apnt[0], 1, apnt[2]], [bpnt[0], 1, bpnt[2]],\n [cpnt[0], 1, cpnt[2]]])\n zvar = np.tinylinalg.det([[apnt[0], apnt[1], 1], [bpnt[0], bpnt[1], 1],\n [cpnt[0], cpnt[1], 1]])\n magnitude = (xvar ** 2 + yvar ** 2 + zvar ** 2) ** 0.5\n if magnitude < 1e-08:\n mag = 0, 0, 0\n else:\n mag = xvar / magnitude, yvar / magnitude, zvar / magnitude\n return mag\n",
"role": "user"
},
{
"content": "unit_normal",
"role": "assistant"
}
] |
def x(self, i, v):
self.list1.insert(i, v)
self.list2.insert(i, v.obj)
if isinstance(v, EpBunch):
v.theidf = self.theidf
|
insert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, i, v):\n self.list1.insert(i, v)\n self.list2.insert(i, v.obj)\n if isinstance(v, EpBunch):\n v.theidf = self.theidf\n",
"role": "user"
},
{
"content": "insert",
"role": "assistant"
}
] |
def x(num, iterable, fillvalue=None):
args = [iter(iterable)] * num
return zip_longest(*args, fillvalue=fillvalue)
|
grouper
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num, iterable, fillvalue=None):\n args = [iter(iterable)] * num\n return zip_longest(*args, fillvalue=fillvalue)\n",
"role": "user"
},
{
"content": "grouper",
"role": "assistant"
}
] |
def x(ddtt):
n_vertices_index = ddtt.objls.index('Number_of_Vertices')
first_x = n_vertices_index + 1
pts = ddtt.obj[first_x:]
return list(grouper(3, pts))
|
getcoords
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ddtt):\n n_vertices_index = ddtt.objls.index('Number_of_Vertices')\n first_x = n_vertices_index + 1\n pts = ddtt.obj[first_x:]\n return list(grouper(3, pts))\n",
"role": "user"
},
{
"content": "getcoords",
"role": "assistant"
}
] |
def x(ddtt):
idf = ddtt.theidf
building = idf.idfobjects['building'.upper()][0]
return building.Name
|
buildingname
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ddtt):\n idf = ddtt.theidf\n building = idf.idfobjects['building'.upper()][0]\n return building.Name\n",
"role": "user"
},
{
"content": "buildingname",
"role": "assistant"
}
] |
def x(ver):
lst = ver.split('.')
if len(lst) == 1:
lst.extend(['0', '0'])
elif len(lst) == 2:
lst.extend(['0'])
elif len(lst) > 2:
lst = lst[:3]
lst[2] = '0'
cleanver = '.'.join(lst)
return cleanver
|
cleanupversion
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ver):\n lst = ver.split('.')\n if len(lst) == 1:\n lst.extend(['0', '0'])\n elif len(lst) == 2:\n lst.extend(['0'])\n elif len(lst) > 2:\n lst = lst[:3]\n lst[2] = '0'\n cleanver = '.'.join(lst)\n return cleanver\n",
"role": "user"
},
{
"content": "cleanupversion",
"role": "assistant"
}
] |
def x(versionid):
vlist = versionid.split('.')
if len(vlist) == 1:
vlist = vlist + ['0', '0']
elif len(vlist) == 2:
vlist = vlist + ['0']
ver_str = '-'.join(vlist)
eplus_exe, _ = eppy.runner.run_functions.install_paths(ver_str)
eplusfolder = os.path.dirname(eplus_exe)
iddfile = '{}/Energy+.idd'.format(eplusfolder)
return iddfile
|
getiddfile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(versionid):\n vlist = versionid.split('.')\n if len(vlist) == 1:\n vlist = vlist + ['0', '0']\n elif len(vlist) == 2:\n vlist = vlist + ['0']\n ver_str = '-'.join(vlist)\n eplus_exe, _ = eppy.runner.run_functions.install_paths(ver_str)\n eplusfolder = os.path.dirname(eplus_exe)\n iddfile = '{}/Energy+.idd'.format(eplusfolder)\n return iddfile\n",
"role": "user"
},
{
"content": "getiddfile",
"role": "assistant"
}
] |
def x(fname, idd=None, epw=None):
if idd:
eppy.modeleditor.IDF.setiddname(idd)
idf = eppy.modeleditor.IDF(fname, epw=epw)
return idf
if isinstance(fname, (IOBase, StringIO)):
fhandle = fname
else:
fhandle = io.open(fname, 'r', encoding='latin-1')
txt = fhandle.read()
ntxt = eppy.EPlusInterfaceFunctions.parse_idd.nocomment(txt, '!')
blocks = ntxt.split(';')
blocks = [block.strip() for block in blocks]
bblocks = [block.split(',') for block in blocks]
bblocks1 = [[item.strip() for item in block] for block in bblocks]
ver_blocks = [block for block in bblocks1 if block[0].upper() == 'VERSION']
ver_block = ver_blocks[0]
versionid = ver_block[1]
iddfile = getiddfile(versionid)
if os.path.exists(iddfile):
pass
else:
iddfile = getoldiddfile(versionid)
if os.path.exists(iddfile):
eppy.modeleditor.IDF.setiddname(iddfile)
if isinstance(fname, (IOBase, StringIO)):
fhandle.seek(0)
idf = eppy.modeleditor.IDF(fhandle, epw=epw)
else:
idf = eppy.modeleditor.IDF(fname, epw=epw)
return idf
else:
astr = (
"input idf file says E+ version {}. easyopen() cannot find the corresponding idd file '{}'"
)
astr = astr.format(versionid, iddfile)
raise MissingIDDException(astr)
|
easyopen
|
[
{
"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 if idd:\n eppy.modeleditor.IDF.setiddname(idd)\n idf = eppy.modeleditor.IDF(fname, epw=epw)\n return idf\n if isinstance(fname, (IOBase, StringIO)):\n fhandle = fname\n else:\n fhandle = io.open(fname, 'r', encoding='latin-1')\n txt = fhandle.read()\n ntxt = eppy.EPlusInterfaceFunctions.parse_idd.nocomment(txt, '!')\n blocks = ntxt.split(';')\n blocks = [block.strip() for block in blocks]\n bblocks = [block.split(',') for block in blocks]\n bblocks1 = [[item.strip() for item in block] for block in bblocks]\n ver_blocks = [block for block in bblocks1 if block[0].upper() == 'VERSION']\n ver_block = ver_blocks[0]\n versionid = ver_block[1]\n iddfile = getiddfile(versionid)\n if os.path.exists(iddfile):\n pass\n else:\n iddfile = getoldiddfile(versionid)\n if os.path.exists(iddfile):\n eppy.modeleditor.IDF.setiddname(iddfile)\n if isinstance(fname, (IOBase, StringIO)):\n fhandle.seek(0)\n idf = eppy.modeleditor.IDF(fhandle, epw=epw)\n else:\n idf = eppy.modeleditor.IDF(fname, epw=epw)\n return idf\n else:\n astr = (\n \"input idf file says E+ version {}. easyopen() cannot find the corresponding idd file '{}'\"\n )\n astr = astr.format(versionid, iddfile)\n raise MissingIDDException(astr)\n",
"role": "user"
},
{
"content": "easyopen",
"role": "assistant"
}
] |
def x(astr, cphrase):
alist = astr.splitlines()
for i in range(len(alist)):
alist1 = alist[i].split(cphrase)
alist[i] = alist1[0]
return '\n'.join(alist)
|
removecomment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(astr, cphrase):\n alist = astr.splitlines()\n for i in range(len(alist)):\n alist1 = alist[i].split(cphrase)\n alist[i] = alist1[0]\n return '\\n'.join(alist)\n",
"role": "user"
},
{
"content": "removecomment",
"role": "assistant"
}
] |
def x(self, dictfile):
dt = {}
dtls = []
adict = dictfile
for element in adict:
dt[element[0].upper()] = []
dtls.append(element[0].upper())
return dt, dtls
|
initdict2
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dictfile):\n dt = {}\n dtls = []\n adict = dictfile\n for element in adict:\n dt[element[0].upper()] = []\n dtls.append(element[0].upper())\n return dt, dtls\n",
"role": "user"
},
{
"content": "initdict2",
"role": "assistant"
}
] |
def x(self, fname):
if isinstance(fname, Idd):
self.dt, self.dtls = fname.dt, fname.dtls
return self.dt, self.dtls
astr = mylib2.readfile(fname)
nocom = removecomment(astr, '!')
idfst = nocom
alist = idfst.split(';')
lss = []
for element in alist:
lst = element.split(',')
lss.append(lst)
for i in range(0, len(lss)):
for j in range(0, len(lss[i])):
lss[i][j] = lss[i][j].strip()
dt = {}
dtls = []
for element in lss:
if element[0] == '':
continue
dt[element[0].upper()] = []
dtls.append(element[0].upper())
self.dt, self.dtls = dt, dtls
return dt, dtls
|
initdict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fname):\n if isinstance(fname, Idd):\n self.dt, self.dtls = fname.dt, fname.dtls\n return self.dt, self.dtls\n astr = mylib2.readfile(fname)\n nocom = removecomment(astr, '!')\n idfst = nocom\n alist = idfst.split(';')\n lss = []\n for element in alist:\n lst = element.split(',')\n lss.append(lst)\n for i in range(0, len(lss)):\n for j in range(0, len(lss[i])):\n lss[i][j] = lss[i][j].strip()\n dt = {}\n dtls = []\n for element in lss:\n if element[0] == '':\n continue\n dt[element[0].upper()] = []\n dtls.append(element[0].upper())\n self.dt, self.dtls = dt, dtls\n return dt, dtls\n",
"role": "user"
},
{
"content": "initdict",
"role": "assistant"
}
] |
def x(self, dictfile, fnamefobject):
if isinstance(dictfile, Idd):
localidd = copy.deepcopy(dictfile)
dt, dtls = localidd.dt, localidd.dtls
else:
dt, dtls = self.initdict(dictfile)
astr = fnamefobject.read()
try:
astr = astr.decode('ISO-8859-2')
except AttributeError:
pass
fnamefobject.close()
nocom = removecomment(astr, '!')
idfst = nocom
alist = idfst.split(';')
lss = []
for element in alist:
lst = element.split(',')
lss.append(lst)
for i in range(0, len(lss)):
for j in range(0, len(lss[i])):
lss[i][j] = lss[i][j].strip()
for element in lss:
node = element[0].upper()
if node in dt:
dt[node.upper()].append(element)
else:
if node == '':
continue
print('this node -%s-is not present in base dictionary' % node)
self.dt, self.dtls = dt, dtls
return dt, dtls
|
makedict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dictfile, fnamefobject):\n if isinstance(dictfile, Idd):\n localidd = copy.deepcopy(dictfile)\n dt, dtls = localidd.dt, localidd.dtls\n else:\n dt, dtls = self.initdict(dictfile)\n astr = fnamefobject.read()\n try:\n astr = astr.decode('ISO-8859-2')\n except AttributeError:\n pass\n fnamefobject.close()\n nocom = removecomment(astr, '!')\n idfst = nocom\n alist = idfst.split(';')\n lss = []\n for element in alist:\n lst = element.split(',')\n lss.append(lst)\n for i in range(0, len(lss)):\n for j in range(0, len(lss[i])):\n lss[i][j] = lss[i][j].strip()\n for element in lss:\n node = element[0].upper()\n if node in dt:\n dt[node.upper()].append(element)\n else:\n if node == '':\n continue\n print('this node -%s-is not present in base dictionary' % node)\n self.dt, self.dtls = dt, dtls\n return dt, dtls\n",
"role": "user"
},
{
"content": "makedict",
"role": "assistant"
}
] |
def x(self, othereplus, node):
node = node.upper()
self.dt[node.upper()] = othereplus.dt[node.upper()]
|
replacenode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, othereplus, node):\n node = node.upper()\n self.dt[node.upper()] = othereplus.dt[node.upper()]\n",
"role": "user"
},
{
"content": "replacenode",
"role": "assistant"
}
] |
def x(self, othereplus, node):
node = node.upper()
self.dt[node.upper()] = self.dt[node.upper()] + othereplus.dt[node.upper()]
|
add2node
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, othereplus, node):\n node = node.upper()\n self.dt[node.upper()] = self.dt[node.upper()] + othereplus.dt[node.upper()]\n",
"role": "user"
},
{
"content": "add2node",
"role": "assistant"
}
] |
def x(self, otherplus, node, objectname):
newelement = otherplus.dt[node.upper()]
|
addinnode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, otherplus, node, objectname):\n newelement = otherplus.dt[node.upper()]\n",
"role": "user"
},
{
"content": "addinnode",
"role": "assistant"
}
] |
def x(self, reflist):
alist = []
for element in reflist:
if element[0].upper() in self.dt:
for elm in self.dt[element[0].upper()]:
alist.append(elm[element[1]])
return alist
|
getrefs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reflist):\n alist = []\n for element in reflist:\n if element[0].upper() in self.dt:\n for elm in self.dt[element[0].upper()]:\n alist.append(elm[element[1]])\n return alist\n",
"role": "user"
},
{
"content": "getrefs",
"role": "assistant"
}
] |
def x(edges):
newedges = []
added = False
for edge in edges:
if bothnodes(edge):
newtup = edge[0][0], edge[1][0]
newedges.append(newtup)
added = True
elif firstisnode(edge):
for edge1 in edges:
if edge[0] == edge1[1]:
newtup = edge1[0], edge[1]
try:
newedges.index(newtup)
except ValueError as e:
newedges.append(newtup)
added = True
elif secondisnode(edge):
for edge1 in edges:
if edge[1] == edge1[0]:
newtup = edge[0], edge1[1]
try:
newedges.index(newtup)
except ValueError as e:
newedges.append(newtup)
added = True
if not added:
if firstisnode(edge):
newedges.append((edge[0][0], edge[1]))
if secondisnode(edge):
newedges.append((edge[0], edge[1][0]))
added = False
return newedges
|
dropnodes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(edges):\n newedges = []\n added = False\n for edge in edges:\n if bothnodes(edge):\n newtup = edge[0][0], edge[1][0]\n newedges.append(newtup)\n added = True\n elif firstisnode(edge):\n for edge1 in edges:\n if edge[0] == edge1[1]:\n newtup = edge1[0], edge[1]\n try:\n newedges.index(newtup)\n except ValueError as e:\n newedges.append(newtup)\n added = True\n elif secondisnode(edge):\n for edge1 in edges:\n if edge[1] == edge1[0]:\n newtup = edge[0], edge1[1]\n try:\n newedges.index(newtup)\n except ValueError as e:\n newedges.append(newtup)\n added = True\n if not added:\n if firstisnode(edge):\n newedges.append((edge[0][0], edge[1]))\n if secondisnode(edge):\n newedges.append((edge[0], edge[1][0]))\n added = False\n return newedges\n",
"role": "user"
},
{
"content": "dropnodes",
"role": "assistant"
}
] |
def x(edges):
nodes = []
for e1, e2 in edges:
nodes.append(e1)
nodes.append(e2)
nodedict = dict([(n, None) for n in nodes])
justnodes = list(nodedict.keys())
justnodes = sorted(justnodes, key=lambda x: str(x[0]))
return justnodes
|
edges2nodes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(edges):\n nodes = []\n for e1, e2 in edges:\n nodes.append(e1)\n nodes.append(e2)\n nodedict = dict([(n, None) for n in nodes])\n justnodes = list(nodedict.keys())\n justnodes = sorted(justnodes, key=lambda x: str(x[0]))\n return justnodes\n",
"role": "user"
},
{
"content": "edges2nodes",
"role": "assistant"
}
] |
def x(edges):
graph = pydot.Dot(graph_type='digraph')
nodes = edges2nodes(edges)
epnodes = [(node, makeanode(node[0])) for node in nodes if nodetype(
node) == 'epnode']
endnodes = [(node, makeendnode(node[0])) for node in nodes if nodetype(
node) == 'EndNode']
epbr = [(node, makeabranch(node)) for node in nodes if not istuple(node)]
nodedict = dict(epnodes + epbr + endnodes)
for value in list(nodedict.values()):
graph.add_node(value)
for e1, e2 in edges:
graph.add_edge(pydot.Edge(nodedict[e1], nodedict[e2]))
return graph
|
makediagram
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(edges):\n graph = pydot.Dot(graph_type='digraph')\n nodes = edges2nodes(edges)\n epnodes = [(node, makeanode(node[0])) for node in nodes if nodetype(\n node) == 'epnode']\n endnodes = [(node, makeendnode(node[0])) for node in nodes if nodetype(\n node) == 'EndNode']\n epbr = [(node, makeabranch(node)) for node in nodes if not istuple(node)]\n nodedict = dict(epnodes + epbr + endnodes)\n for value in list(nodedict.values()):\n graph.add_node(value)\n for e1, e2 in edges:\n graph.add_edge(pydot.Edge(nodedict[e1], nodedict[e2]))\n return graph\n",
"role": "user"
},
{
"content": "makediagram",
"role": "assistant"
}
] |
def x(data, commdct, anode='epnode'):
alledges = []
objkey = 'BRANCH'
cnamefield = 'Component %s Name'
inletfield = 'Component %s Inlet Node Name'
outletfield = 'Component %s Outlet Node Name'
numobjects = len(data.dt[objkey])
cnamefields = loops.repeatingfields(data, commdct, objkey, cnamefield)
inletfields = loops.repeatingfields(data, commdct, objkey, inletfield)
outletfields = loops.repeatingfields(data, commdct, objkey, outletfield)
inlts = loops.extractfields(data, commdct, objkey, [inletfields] *
numobjects)
cmps = loops.extractfields(data, commdct, objkey, [cnamefields] *
numobjects)
otlts = loops.extractfields(data, commdct, objkey, [outletfields] *
numobjects)
zipped = list(zip(inlts, cmps, otlts))
tzipped = [transpose2d(item) for item in zipped]
for i in range(len(data.dt[objkey])):
tt = tzipped[i]
edges = []
for t0 in tt:
edges = edges + [((t0[0], anode), t0[1]), (t0[1], (t0[2], anode))]
alledges = alledges + edges
return alledges
|
makebranchcomponents
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, commdct, anode='epnode'):\n alledges = []\n objkey = 'BRANCH'\n cnamefield = 'Component %s Name'\n inletfield = 'Component %s Inlet Node Name'\n outletfield = 'Component %s Outlet Node Name'\n numobjects = len(data.dt[objkey])\n cnamefields = loops.repeatingfields(data, commdct, objkey, cnamefield)\n inletfields = loops.repeatingfields(data, commdct, objkey, inletfield)\n outletfields = loops.repeatingfields(data, commdct, objkey, outletfield)\n inlts = loops.extractfields(data, commdct, objkey, [inletfields] *\n numobjects)\n cmps = loops.extractfields(data, commdct, objkey, [cnamefields] *\n numobjects)\n otlts = loops.extractfields(data, commdct, objkey, [outletfields] *\n numobjects)\n zipped = list(zip(inlts, cmps, otlts))\n tzipped = [transpose2d(item) for item in zipped]\n for i in range(len(data.dt[objkey])):\n tt = tzipped[i]\n edges = []\n for t0 in tt:\n edges = edges + [((t0[0], anode), t0[1]), (t0[1], (t0[2], anode))]\n alledges = alledges + edges\n return alledges\n",
"role": "user"
},
{
"content": "makebranchcomponents",
"role": "assistant"
}
] |
def x(fname, iddfile):
data, commdct, _idd_index = readidf.readdatacommdct(fname, iddfile=iddfile)
edges = makeairplantloop(data, commdct)
return edges
|
getedges
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname, iddfile):\n data, commdct, _idd_index = readidf.readdatacommdct(fname, iddfile=iddfile)\n edges = makeairplantloop(data, commdct)\n return edges\n",
"role": "user"
},
{
"content": "getedges",
"role": "assistant"
}
] |
def x(astr):
nocom = nocomment(astr, '!')
st1 = nocom
nocom1 = nocomment(st1, '\\')
st1 = nocom
st2 = nocom1
alist = st2.split(';')
lss = []
for element in alist:
item = element.split(',')
lss.append(item)
for i in range(0, len(lss)):
for j in range(0, len(lss[i])):
lss[i][j] = lss[i][j].strip()
if len(lss) > 1:
lss.pop(-1)
return st1, st2, lss
|
get_nocom_vars
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(astr):\n nocom = nocomment(astr, '!')\n st1 = nocom\n nocom1 = nocomment(st1, '\\\\')\n st1 = nocom\n st2 = nocom1\n alist = st2.split(';')\n lss = []\n for element in alist:\n item = element.split(',')\n lss.append(item)\n for i in range(0, len(lss)):\n for j in range(0, len(lss[i])):\n lss[i][j] = lss[i][j].strip()\n if len(lss) > 1:\n lss.pop(-1)\n return st1, st2, lss\n",
"role": "user"
},
{
"content": "get_nocom_vars",
"role": "assistant"
}
] |
def x(astr):
lines = astr.splitlines()
lines = [line for line in lines if line.strip() != '']
return '\n'.join(lines)
|
removeblanklines
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(astr):\n lines = astr.splitlines()\n lines = [line for line in lines if line.strip() != '']\n return '\\n'.join(lines)\n",
"role": "user"
},
{
"content": "removeblanklines",
"role": "assistant"
}
] |
def x(fname):
try:
if isinstance(fname, (file, StringIO)):
astr = fname.read()
else:
astr = open(fname, 'rb').read()
except NameError:
if isinstance(fname, (FileIO, StringIO)):
astr = fname.read()
else:
astr = mylib2.readfile(fname)
return astr
|
readfname
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname):\n try:\n if isinstance(fname, (file, StringIO)):\n astr = fname.read()\n else:\n astr = open(fname, 'rb').read()\n except NameError:\n if isinstance(fname, (FileIO, StringIO)):\n astr = fname.read()\n else:\n astr = mylib2.readfile(fname)\n return astr\n",
"role": "user"
},
{
"content": "readfname",
"role": "assistant"
}
] |
def x(extract_func, fname, debug):
astr = _readfname(fname)
fname = StringIO(astr)
blocklst, commlst, commdct = extract_func(fname)
name2refs = iddindex.makename2refdct(commdct)
ref2namesdct = iddindex.makeref2namesdct(name2refs)
idd_index = dict(name2refs=name2refs, ref2names=ref2namesdct)
commdct = iddindex.ref2names2commdct(ref2namesdct, commdct)
return blocklst, commlst, commdct, idd_index
|
make_idd_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(extract_func, fname, debug):\n astr = _readfname(fname)\n fname = StringIO(astr)\n blocklst, commlst, commdct = extract_func(fname)\n name2refs = iddindex.makename2refdct(commdct)\n ref2namesdct = iddindex.makeref2namesdct(name2refs)\n idd_index = dict(name2refs=name2refs, ref2names=ref2namesdct)\n commdct = iddindex.ref2names2commdct(ref2namesdct, commdct)\n return blocklst, commlst, commdct, idd_index\n",
"role": "user"
},
{
"content": "make_idd_index",
"role": "assistant"
}
] |
def x(extract_func, fname, debug):
astr = _readfname(fname)
fname = StringIO(astr)
try:
astr = astr.decode('ISO-8859-2')
except Exception as e:
pass
glist = iddgroups.iddtxt2grouplist(astr)
blocklst, commlst, commdct = extract_func(fname)
commlst = iddgroups.group2commlst(commlst, glist)
commdct = iddgroups.group2commdct(commdct, glist)
return blocklst, commlst, commdct
|
embedgroupdata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(extract_func, fname, debug):\n astr = _readfname(fname)\n fname = StringIO(astr)\n try:\n astr = astr.decode('ISO-8859-2')\n except Exception as e:\n pass\n glist = iddgroups.iddtxt2grouplist(astr)\n blocklst, commlst, commdct = extract_func(fname)\n commlst = iddgroups.group2commlst(commlst, glist)\n commdct = iddgroups.group2commdct(commdct, glist)\n return blocklst, commlst, commdct\n",
"role": "user"
},
{
"content": "embedgroupdata",
"role": "assistant"
}
] |
def x(fname, debug=False):
try:
if isinstance(fname, (file, StringIO)):
astr = fname.read()
try:
astr = astr.decode('ISO-8859-2')
except AttributeError:
pass
else:
astr = mylib2.readfile(fname)
except NameError:
if isinstance(fname, (FileIO, StringIO)):
astr = fname.read()
try:
astr = astr.decode('ISO-8859-2')
except AttributeError:
pass
else:
astr = mylib2.readfile(fname)
nocom, nocom1, blocklst = get_nocom_vars(astr)
astr = nocom
st1 = removeblanklines(astr)
if debug:
mylib1.write_str2file('nocom2.txt', st1.encode('latin-1'))
groupls = []
alist = st1.splitlines()
for element in alist:
lss = element.split()
if lss[0].upper() == '\\group'.upper():
groupls.append(element)
groupstart = []
for i in range(len(groupls)):
iindex = alist.index(groupls[i])
groupstart.append([alist[iindex], alist[iindex + 1]])
for element in groupls:
alist.remove(element)
if debug:
st1 = '\n'.join(alist)
mylib1.write_str2file('nocom3.txt', st1.encode('latin-1'))
for i in range(len(alist)):
alist[i] = alist[i].strip()
if debug:
st1 = '\n'.join(alist)
mylib1.write_str2file('nocom4.txt', st1.encode('latin-1'))
lss = []
for i in range(len(alist)):
if alist[i][0] != '\\':
pnt = alist[i].find('\\')
if pnt != -1:
lss.append(alist[i][:pnt].strip())
lss.append(alist[i][pnt:].strip())
else:
lss.append(alist[i])
else:
lss.append(alist[i])
alist = lss[:]
if debug:
st1 = '\n'.join(alist)
mylib1.write_str2file('nocom5.txt', st1.encode('latin-1'))
lss = []
for element in alist:
if element[0] != '\\':
llist = element.split(',')
if llist[-1] == '':
tmp = llist.pop()
for elm in llist:
if elm[-1] == ';':
lss.append(elm.strip())
else:
lss.append((elm + ',').strip())
else:
lss.append(element)
ls_debug = alist[:]
alist = lss[:]
if debug:
st1 = '\n'.join(alist)
mylib1.write_str2file('nocom6.txt', st1.encode('latin-1'))
if debug:
lss_debug = []
for element in ls_debug:
if element[0] != '\\':
llist = element.split(',')
if llist[-1] == '':
tmp = llist.pop()
for elm in llist:
if elm[-1] == ';':
lss_debug.append(elm[:-1].strip())
else:
lss_debug.append(elm.strip())
else:
lss_debug.append(element)
ls_debug = lss_debug[:]
st1 = '\n'.join(ls_debug)
mylib1.write_str2file('nocom7.txt', st1.encode('latin-1'))
for i in range(len(lss)):
if lss[i][0] != '\\':
lss[i] = '=====var====='
st2 = '\n'.join(lss)
lss = st2.split('=====var=====\n')
lss.pop(0)
if debug:
fname = 'nocom8.txt'
fhandle = open(fname, 'wb')
k = 0
for i in range(len(blocklst)):
for j in range(len(blocklst[i])):
atxt = blocklst[i][j] + '\n'
fhandle.write(atxt)
atxt = lss[k]
fhandle.write(atxt.encode('latin-1'))
k = k + 1
fhandle.close()
k = 0
lst = []
for i in range(len(blocklst)):
lst.append([])
for j in range(len(blocklst[i])):
lst[i].append(lss[k])
k = k + 1
if debug:
fname = 'nocom9.txt'
fhandle = open(fname, 'wb')
k = 0
for i in range(len(blocklst)):
for j in range(len(blocklst[i])):
atxt = blocklst[i][j] + '\n'
fhandle.write(atxt)
fhandle.write(lst[i][j].encode('latin-1'))
k = k + 1
fhandle.close()
for i in range(len(lst)):
for j in range(len(lst[i])):
lst[i][j] = lst[i][j].splitlines()
for k in range(len(lst[i][j])):
lst[i][j][k] = lst[i][j][k][1:]
commlst = lst
clist = lst
lss = []
for i in range(0, len(clist)):
alist = []
for j in range(0, len(clist[i])):
itt = clist[i][j]
ddtt = {}
for element in itt:
if len(element.split()) == 0:
break
ddtt[element.split()[0].lower()] = []
for element in itt:
if len(element.split()) == 0:
break
ddtt[element.split()[0].lower()].append(' '.join(element.
split()[1:]))
alist.append(ddtt)
lss.append(alist)
commdct = lss
return blocklst, commlst, commdct
|
extractidddata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname, debug=False):\n try:\n if isinstance(fname, (file, StringIO)):\n astr = fname.read()\n try:\n astr = astr.decode('ISO-8859-2')\n except AttributeError:\n pass\n else:\n astr = mylib2.readfile(fname)\n except NameError:\n if isinstance(fname, (FileIO, StringIO)):\n astr = fname.read()\n try:\n astr = astr.decode('ISO-8859-2')\n except AttributeError:\n pass\n else:\n astr = mylib2.readfile(fname)\n nocom, nocom1, blocklst = get_nocom_vars(astr)\n astr = nocom\n st1 = removeblanklines(astr)\n if debug:\n mylib1.write_str2file('nocom2.txt', st1.encode('latin-1'))\n groupls = []\n alist = st1.splitlines()\n for element in alist:\n lss = element.split()\n if lss[0].upper() == '\\\\group'.upper():\n groupls.append(element)\n groupstart = []\n for i in range(len(groupls)):\n iindex = alist.index(groupls[i])\n groupstart.append([alist[iindex], alist[iindex + 1]])\n for element in groupls:\n alist.remove(element)\n if debug:\n st1 = '\\n'.join(alist)\n mylib1.write_str2file('nocom3.txt', st1.encode('latin-1'))\n for i in range(len(alist)):\n alist[i] = alist[i].strip()\n if debug:\n st1 = '\\n'.join(alist)\n mylib1.write_str2file('nocom4.txt', st1.encode('latin-1'))\n lss = []\n for i in range(len(alist)):\n if alist[i][0] != '\\\\':\n pnt = alist[i].find('\\\\')\n if pnt != -1:\n lss.append(alist[i][:pnt].strip())\n lss.append(alist[i][pnt:].strip())\n else:\n lss.append(alist[i])\n else:\n lss.append(alist[i])\n alist = lss[:]\n if debug:\n st1 = '\\n'.join(alist)\n mylib1.write_str2file('nocom5.txt', st1.encode('latin-1'))\n lss = []\n for element in alist:\n if element[0] != '\\\\':\n llist = element.split(',')\n if llist[-1] == '':\n tmp = llist.pop()\n for elm in llist:\n if elm[-1] == ';':\n lss.append(elm.strip())\n else:\n lss.append((elm + ',').strip())\n else:\n lss.append(element)\n ls_debug = alist[:]\n alist = lss[:]\n if debug:\n st1 = '\\n'.join(alist)\n mylib1.write_str2file('nocom6.txt', st1.encode('latin-1'))\n if debug:\n lss_debug = []\n for element in ls_debug:\n if element[0] != '\\\\':\n llist = element.split(',')\n if llist[-1] == '':\n tmp = llist.pop()\n for elm in llist:\n if elm[-1] == ';':\n lss_debug.append(elm[:-1].strip())\n else:\n lss_debug.append(elm.strip())\n else:\n lss_debug.append(element)\n ls_debug = lss_debug[:]\n st1 = '\\n'.join(ls_debug)\n mylib1.write_str2file('nocom7.txt', st1.encode('latin-1'))\n for i in range(len(lss)):\n if lss[i][0] != '\\\\':\n lss[i] = '=====var====='\n st2 = '\\n'.join(lss)\n lss = st2.split('=====var=====\\n')\n lss.pop(0)\n if debug:\n fname = 'nocom8.txt'\n fhandle = open(fname, 'wb')\n k = 0\n for i in range(len(blocklst)):\n for j in range(len(blocklst[i])):\n atxt = blocklst[i][j] + '\\n'\n fhandle.write(atxt)\n atxt = lss[k]\n fhandle.write(atxt.encode('latin-1'))\n k = k + 1\n fhandle.close()\n k = 0\n lst = []\n for i in range(len(blocklst)):\n lst.append([])\n for j in range(len(blocklst[i])):\n lst[i].append(lss[k])\n k = k + 1\n if debug:\n fname = 'nocom9.txt'\n fhandle = open(fname, 'wb')\n k = 0\n for i in range(len(blocklst)):\n for j in range(len(blocklst[i])):\n atxt = blocklst[i][j] + '\\n'\n fhandle.write(atxt)\n fhandle.write(lst[i][j].encode('latin-1'))\n k = k + 1\n fhandle.close()\n for i in range(len(lst)):\n for j in range(len(lst[i])):\n lst[i][j] = lst[i][j].splitlines()\n for k in range(len(lst[i][j])):\n lst[i][j][k] = lst[i][j][k][1:]\n commlst = lst\n clist = lst\n lss = []\n for i in range(0, len(clist)):\n alist = []\n for j in range(0, len(clist[i])):\n itt = clist[i][j]\n ddtt = {}\n for element in itt:\n if len(element.split()) == 0:\n break\n ddtt[element.split()[0].lower()] = []\n for element in itt:\n if len(element.split()) == 0:\n break\n ddtt[element.split()[0].lower()].append(' '.join(element.\n split()[1:]))\n alist.append(ddtt)\n lss.append(alist)\n commdct = lss\n return blocklst, commlst, commdct\n",
"role": "user"
},
{
"content": "extractidddata",
"role": "assistant"
}
] |
def x(blocklst, commdct):
objlst_dct = {}
for eli in commdct:
for elj in eli:
if 'object-list' in elj:
objlist = elj['object-list'][0]
objlst_dct[objlist] = []
for objlist in list(objlst_dct.keys()):
for i in range(len(commdct)):
for j in range(len(commdct[i])):
if 'reference' in commdct[i][j]:
for ref in commdct[i][j]['reference']:
if ref == objlist:
objlst_dct[objlist].append((blocklst[i][0], j))
return objlst_dct
|
getobjectref
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(blocklst, commdct):\n objlst_dct = {}\n for eli in commdct:\n for elj in eli:\n if 'object-list' in elj:\n objlist = elj['object-list'][0]\n objlst_dct[objlist] = []\n for objlist in list(objlst_dct.keys()):\n for i in range(len(commdct)):\n for j in range(len(commdct[i])):\n if 'reference' in commdct[i][j]:\n for ref in commdct[i][j]['reference']:\n if ref == objlist:\n objlst_dct[objlist].append((blocklst[i][0], j))\n return objlst_dct\n",
"role": "user"
},
{
"content": "getobjectref",
"role": "assistant"
}
] |
def x(idfname):
iddfile = 'Energy+.idd'
iddtxt = open(iddfile, 'r').read()
block, commlst, commdct = parse_idd.extractidddata(iddfile)
theidd = eplusdata.Idd(block, 2)
data = eplusdata.Eplusdata(theidd, idfname)
return data, commlst
|
readdatacommlst
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idfname):\n iddfile = 'Energy+.idd'\n iddtxt = open(iddfile, 'r').read()\n block, commlst, commdct = parse_idd.extractidddata(iddfile)\n theidd = eplusdata.Idd(block, 2)\n data = eplusdata.Eplusdata(theidd, idfname)\n return data, commlst\n",
"role": "user"
},
{
"content": "readdatacommlst",
"role": "assistant"
}
] |
def x(idfname, iddfile='Energy+.idd', commdct=None):
if not commdct:
block, commlst, commdct, idd_index = parse_idd.extractidddata(iddfile)
theidd = eplusdata.Idd(block, 2)
else:
theidd = iddfile
data = eplusdata.Eplusdata(theidd, idfname)
return data, commdct, idd_index
|
readdatacommdct
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idfname, iddfile='Energy+.idd', commdct=None):\n if not commdct:\n block, commlst, commdct, idd_index = parse_idd.extractidddata(iddfile)\n theidd = eplusdata.Idd(block, 2)\n else:\n theidd = iddfile\n data = eplusdata.Eplusdata(theidd, idfname)\n return data, commdct, idd_index\n",
"role": "user"
},
{
"content": "readdatacommdct",
"role": "assistant"
}
] |
def x(data, commdct, objkey, fieldlists):
objindex = data.dtls.index(objkey)
objcomm = commdct[objindex]
objfields = []
for dct in objcomm[0:]:
try:
thefieldcomms = dct['field']
objfields.append(thefieldcomms[0])
except KeyError as err:
objfields.append(None)
fieldindexes = []
for fieldlist in fieldlists:
fieldindex = []
for item in fieldlist:
if isinstance(item, int):
fieldindex.append(item)
else:
fieldindex.append(objfields.index(item) + 0)
fieldindexes.append(fieldindex)
theobjects = data.dt[objkey]
fieldcontents = []
for theobject, fieldindex in zip(theobjects, fieldindexes):
innerlst = []
for item in fieldindex:
try:
innerlst.append(theobject[item])
except IndexError as err:
break
fieldcontents.append(innerlst)
return fieldcontents
|
extractfields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, commdct, objkey, fieldlists):\n objindex = data.dtls.index(objkey)\n objcomm = commdct[objindex]\n objfields = []\n for dct in objcomm[0:]:\n try:\n thefieldcomms = dct['field']\n objfields.append(thefieldcomms[0])\n except KeyError as err:\n objfields.append(None)\n fieldindexes = []\n for fieldlist in fieldlists:\n fieldindex = []\n for item in fieldlist:\n if isinstance(item, int):\n fieldindex.append(item)\n else:\n fieldindex.append(objfields.index(item) + 0)\n fieldindexes.append(fieldindex)\n theobjects = data.dt[objkey]\n fieldcontents = []\n for theobject, fieldindex in zip(theobjects, fieldindexes):\n innerlst = []\n for item in fieldindex:\n try:\n innerlst.append(theobject[item])\n except IndexError as err:\n break\n fieldcontents.append(innerlst)\n return fieldcontents\n",
"role": "user"
},
{
"content": "extractfields",
"role": "assistant"
}
] |
def x(data):
objkey = 'plantloop'.upper()
numobjects = len(data.dt[objkey])
return [['Name', 'Plant Side Inlet Node Name',
'Plant Side Outlet Node Name', 'Plant Side Branch List Name',
'Demand Side Inlet Node Name', 'Demand Side Outlet Node Name',
'Demand Side Branch List Name']] * numobjects
|
plantloopfieldlists
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n objkey = 'plantloop'.upper()\n numobjects = len(data.dt[objkey])\n return [['Name', 'Plant Side Inlet Node Name',\n 'Plant Side Outlet Node Name', 'Plant Side Branch List Name',\n 'Demand Side Inlet Node Name', 'Demand Side Outlet Node Name',\n 'Demand Side Branch List Name']] * numobjects\n",
"role": "user"
},
{
"content": "plantloopfieldlists",
"role": "assistant"
}
] |
def x(data, commdct):
fieldlists = plantloopfieldlists(data)
objkey = 'plantloop'.upper()
return extractfields(data, commdct, objkey, fieldlists)
|
plantloopfields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, commdct):\n fieldlists = plantloopfieldlists(data)\n objkey = 'plantloop'.upper()\n return extractfields(data, commdct, objkey, fieldlists)\n",
"role": "user"
},
{
"content": "plantloopfields",
"role": "assistant"
}
] |
def x(data, commdct, branchlist):
objkey = 'BranchList'.upper()
theobjects = data.dt[objkey]
fieldlists = []
objnames = [obj[1] for obj in theobjects]
for theobject in theobjects:
fieldlists.append(list(range(2, len(theobject))))
blists = extractfields(data, commdct, objkey, fieldlists)
thebranches = [branches for name, branches in zip(objnames, blists) if
name == branchlist]
return thebranches[0]
|
branchlist2branches
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, commdct, branchlist):\n objkey = 'BranchList'.upper()\n theobjects = data.dt[objkey]\n fieldlists = []\n objnames = [obj[1] for obj in theobjects]\n for theobject in theobjects:\n fieldlists.append(list(range(2, len(theobject))))\n blists = extractfields(data, commdct, objkey, fieldlists)\n thebranches = [branches for name, branches in zip(objnames, blists) if \n name == branchlist]\n return thebranches[0]\n",
"role": "user"
},
{
"content": "branchlist2branches",
"role": "assistant"
}
] |
def x(data, commdct, branchname):
objkey = 'Branch'.upper()
theobjects = data.dt[objkey]
theobject = [obj for obj in theobjects if obj[1] == branchname]
theobject = theobject[0]
inletindex = 6
outletindex = len(theobject) - 2
return [theobject[inletindex], theobject[outletindex]]
|
branch_inlet_outlet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, commdct, branchname):\n objkey = 'Branch'.upper()\n theobjects = data.dt[objkey]\n theobject = [obj for obj in theobjects if obj[1] == branchname]\n theobject = theobject[0]\n inletindex = 6\n outletindex = len(theobject) - 2\n return [theobject[inletindex], theobject[outletindex]]\n",
"role": "user"
},
{
"content": "branch_inlet_outlet",
"role": "assistant"
}
] |
def x(data, commdct, objkey):
objkey = objkey.upper()
objindex = data.dtls.index(objkey)
objcomms = commdct[objindex]
theobjects = data.dt[objkey]
fieldlists = []
for theobject in theobjects:
fieldlist = list(range(1, len(theobject)))
fieldlists.append(fieldlist)
return fieldlists
|
splittermixerfieldlists
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, commdct, objkey):\n objkey = objkey.upper()\n objindex = data.dtls.index(objkey)\n objcomms = commdct[objindex]\n theobjects = data.dt[objkey]\n fieldlists = []\n for theobject in theobjects:\n fieldlist = list(range(1, len(theobject)))\n fieldlists.append(fieldlist)\n return fieldlists\n",
"role": "user"
},
{
"content": "splittermixerfieldlists",
"role": "assistant"
}
] |
def x(data, commdct):
objkey = 'Connector:Splitter'.upper()
fieldlists = splittermixerfieldlists(data, commdct, objkey)
return extractfields(data, commdct, objkey, fieldlists)
|
splitterfields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, commdct):\n objkey = 'Connector:Splitter'.upper()\n fieldlists = splittermixerfieldlists(data, commdct, objkey)\n return extractfields(data, commdct, objkey, fieldlists)\n",
"role": "user"
},
{
"content": "splitterfields",
"role": "assistant"
}
] |
def x(data, commdct):
objkey = 'Connector:Mixer'.upper()
fieldlists = splittermixerfieldlists(data, commdct, objkey)
return extractfields(data, commdct, objkey, fieldlists)
|
mixerfields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, commdct):\n objkey = 'Connector:Mixer'.upper()\n fieldlists = splittermixerfieldlists(data, commdct, objkey)\n return extractfields(data, commdct, objkey, fieldlists)\n",
"role": "user"
},
{
"content": "mixerfields",
"role": "assistant"
}
] |
def x(theidd, commdct, objkey, flds):
if type(flds) != list:
flds = [flds]
objindex = theidd.dtls.index(objkey)
objcomm = commdct[objindex]
allfields = []
for fld in flds:
thefields = []
indx = 1
for i in range(len(objcomm)):
try:
thefield = fld % (indx,)
if objcomm[i]['field'][0] == thefield:
thefields.append(thefield)
indx = indx + 1
except KeyError as err:
pass
allfields.append(thefields)
allfields = list(zip(*allfields))
return [item for sublist in allfields for item in sublist]
|
repeatingfields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(theidd, commdct, objkey, flds):\n if type(flds) != list:\n flds = [flds]\n objindex = theidd.dtls.index(objkey)\n objcomm = commdct[objindex]\n allfields = []\n for fld in flds:\n thefields = []\n indx = 1\n for i in range(len(objcomm)):\n try:\n thefield = fld % (indx,)\n if objcomm[i]['field'][0] == thefield:\n thefields.append(thefield)\n indx = indx + 1\n except KeyError as err:\n pass\n allfields.append(thefields)\n allfields = list(zip(*allfields))\n return [item for sublist in allfields for item in sublist]\n",
"role": "user"
},
{
"content": "repeatingfields",
"role": "assistant"
}
] |
def x(data, key):
objkey = key.upper()
return len(data.dt[objkey])
|
objectcount
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, key):\n objkey = key.upper()\n return len(data.dt[objkey])\n",
"role": "user"
},
{
"content": "objectcount",
"role": "assistant"
}
] |
def x(data, commdct, objkey, fname):
objindex = data.dtls.index(objkey)
objcomm = commdct[objindex]
for i_index, item in enumerate(objcomm):
try:
if item['field'] == [fname]:
break
except KeyError as err:
pass
return i_index
|
getfieldindex
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, commdct, objkey, fname):\n objindex = data.dtls.index(objkey)\n objcomm = commdct[objindex]\n for i_index, item in enumerate(objcomm):\n try:\n if item['field'] == [fname]:\n break\n except KeyError as err:\n pass\n return i_index\n",
"role": "user"
},
{
"content": "getfieldindex",
"role": "assistant"
}
] |
def x(data, commdct):
objkey = 'ZoneHVAC:AirDistributionUnit'.upper()
objindex = data.dtls.index(objkey)
objcomm = commdct[objindex]
adistutypefield = 'Air Terminal Object Type'
ifield = getfieldindex(data, commdct, objkey, adistutypefield)
adistus = objcomm[ifield]['key']
return adistus
|
getadistus
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, commdct):\n objkey = 'ZoneHVAC:AirDistributionUnit'.upper()\n objindex = data.dtls.index(objkey)\n objcomm = commdct[objindex]\n adistutypefield = 'Air Terminal Object Type'\n ifield = getfieldindex(data, commdct, objkey, adistutypefield)\n adistus = objcomm[ifield]['key']\n return adistus\n",
"role": "user"
},
{
"content": "getadistus",
"role": "assistant"
}
] |
def x(data, commdct):
adistus = getadistus(data, commdct)
airinletnode = 'Air Inlet Node Name'
adistu_inlets = {}
for adistu in adistus:
objkey = adistu.upper()
objindex = data.dtls.index(objkey)
objcomm = commdct[objindex]
airinlets = []
for i, comm in enumerate(objcomm):
try:
if comm['field'][0].find(airinletnode) != -1:
airinlets.append(comm['field'][0])
except KeyError as err:
pass
adistu_inlets[adistu] = airinlets
return adistu_inlets
|
makeadistu_inlets
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, commdct):\n adistus = getadistus(data, commdct)\n airinletnode = 'Air Inlet Node Name'\n adistu_inlets = {}\n for adistu in adistus:\n objkey = adistu.upper()\n objindex = data.dtls.index(objkey)\n objcomm = commdct[objindex]\n airinlets = []\n for i, comm in enumerate(objcomm):\n try:\n if comm['field'][0].find(airinletnode) != -1:\n airinlets.append(comm['field'][0])\n except KeyError as err:\n pass\n adistu_inlets[adistu] = airinlets\n return adistu_inlets\n",
"role": "user"
},
{
"content": "makeadistu_inlets",
"role": "assistant"
}
] |
def x(folder):
ver = folder.split('EnergyPlus')[-1]
ver = ver[1:]
splitapp = ver.split('-')
ver = '.'.join(splitapp)
return ver
|
folder2ver
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(folder):\n ver = folder.split('EnergyPlus')[-1]\n ver = ver[1:]\n splitapp = ver.split('-')\n ver = '.'.join(splitapp)\n return ver\n",
"role": "user"
},
{
"content": "folder2ver",
"role": "assistant"
}
] |
def x(astr, com='!'):
alist = astr.splitlines()
for i in range(len(alist)):
element = alist[i]
pnt = element.find(com)
if pnt != -1:
alist[i] = element[:pnt]
return '\n'.join(alist)
|
nocomment
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(astr, com='!'):\n alist = astr.splitlines()\n for i in range(len(alist)):\n element = alist[i]\n pnt = element.find(com)\n if pnt != -1:\n alist[i] = element[:pnt]\n return '\\n'.join(alist)\n",
"role": "user"
},
{
"content": "nocomment",
"role": "assistant"
}
] |
def x(txt):
astr = nocomment(txt)
objs = astr.split(';')
objs = [obj.split(',') for obj in objs]
objs = [[line.strip() for line in obj] for obj in objs]
objs = [[_tofloat(line) for line in obj] for obj in objs]
objs = [tuple(obj) for obj in objs]
objs.sort()
lst = []
for obj in objs:
for field in obj[:-1]:
lst.append('%s,' % (field,))
lst.append('%s;\n' % (obj[-1],))
return '\n'.join(lst)
|
idf2txt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(txt):\n astr = nocomment(txt)\n objs = astr.split(';')\n objs = [obj.split(',') for obj in objs]\n objs = [[line.strip() for line in obj] for obj in objs]\n objs = [[_tofloat(line) for line in obj] for obj in objs]\n objs = [tuple(obj) for obj in objs]\n objs.sort()\n lst = []\n for obj in objs:\n for field in obj[:-1]:\n lst.append('%s,' % (field,))\n lst.append('%s;\\n' % (obj[-1],))\n return '\\n'.join(lst)\n",
"role": "user"
},
{
"content": "idf2txt",
"role": "assistant"
}
] |
def x(afile):
def x(vers):
return tuple([int(num) for num in vers.split('.')])
try:
fhandle = open(afile, 'rb')
except TypeError:
fhandle = afile
line1 = fhandle.readline()
try:
line1 = line1.decode('ISO-8859-2')
except AttributeError:
pass
line = line1.strip()
if line1 == '':
return 0,
vers = line.split()[-1]
return versiontuple(vers)
|
iddversiontuple
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(afile):\n\n def x(vers):\n return tuple([int(num) for num in vers.split('.')])\n try:\n fhandle = open(afile, 'rb')\n except TypeError:\n fhandle = afile\n line1 = fhandle.readline()\n try:\n line1 = line1.decode('ISO-8859-2')\n except AttributeError:\n pass\n line = line1.strip()\n if line1 == '':\n return 0,\n vers = line.split()[-1]\n return versiontuple(vers)\n",
"role": "user"
},
{
"content": "iddversiontuple",
"role": "assistant"
}
] |
def x(commdct, obj, obj_i):
objidd = commdct[obj_i]
objfields = [comm.get('field') for comm in commdct[obj_i]]
objfields[0] = ['key']
objfields = [field[0] for field in objfields]
obj_fields = [bunchhelpers.makefieldname(field) for field in objfields]
bobj = EpBunch(obj, obj_fields, objidd)
return bobj
|
makeabunch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(commdct, obj, obj_i):\n objidd = commdct[obj_i]\n objfields = [comm.get('field') for comm in commdct[obj_i]]\n objfields[0] = ['key']\n objfields = [field[0] for field in objfields]\n obj_fields = [bunchhelpers.makefieldname(field) for field in objfields]\n bobj = EpBunch(obj, obj_fields, objidd)\n return bobj\n",
"role": "user"
},
{
"content": "makeabunch",
"role": "assistant"
}
] |
def x(data, commdct):
bunchdt = {}
ddtt, dtls = data.dt, data.dtls
for obj_i, key in enumerate(dtls):
key = key.upper()
bunchdt[key] = []
objs = ddtt[key]
for obj in objs:
bobj = makeabunch(commdct, obj, obj_i)
bunchdt[key].append(bobj)
return bunchdt
|
makebunches
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, commdct):\n bunchdt = {}\n ddtt, dtls = data.dt, data.dtls\n for obj_i, key in enumerate(dtls):\n key = key.upper()\n bunchdt[key] = []\n objs = ddtt[key]\n for obj in objs:\n bobj = makeabunch(commdct, obj, obj_i)\n bunchdt[key].append(bobj)\n return bunchdt\n",
"role": "user"
},
{
"content": "makebunches",
"role": "assistant"
}
] |
def x(data, commdct, theidf):
bunchdt = {}
dt, dtls = data.dt, data.dtls
for obj_i, key in enumerate(dtls):
key = key.upper()
objs = dt[key]
list1 = []
for obj in objs:
bobj = makeabunch(commdct, obj, obj_i)
list1.append(bobj)
bunchdt[key] = Idf_MSequence(list1, objs, theidf)
return bunchdt
|
makebunches_alter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, commdct, theidf):\n bunchdt = {}\n dt, dtls = data.dt, data.dtls\n for obj_i, key in enumerate(dtls):\n key = key.upper()\n objs = dt[key]\n list1 = []\n for obj in objs:\n bobj = makeabunch(commdct, obj, obj_i)\n list1.append(bobj)\n bunchdt[key] = Idf_MSequence(list1, objs, theidf)\n return bunchdt\n",
"role": "user"
},
{
"content": "makebunches_alter",
"role": "assistant"
}
] |
def x(key_comm, obj, inblock=None):
convinidd = ConvInIDD()
typefunc = dict(integer=convinidd.integer, real=convinidd.real)
types = []
for comm in key_comm:
types.append(comm.get('type', [None])[0])
convs = [typefunc.get(typ, convinidd.no_type) for typ in types]
try:
inblock = list(inblock)
except TypeError as e:
inblock = ['does not start with N'] * len(obj)
for i, (val, conv, avar) in enumerate(zip(obj, convs, inblock)):
if i == 0:
pass
else:
val = conv(val, inblock[i])
obj[i] = val
return obj
|
convertfields_old
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key_comm, obj, inblock=None):\n convinidd = ConvInIDD()\n typefunc = dict(integer=convinidd.integer, real=convinidd.real)\n types = []\n for comm in key_comm:\n types.append(comm.get('type', [None])[0])\n convs = [typefunc.get(typ, convinidd.no_type) for typ in types]\n try:\n inblock = list(inblock)\n except TypeError as e:\n inblock = ['does not start with N'] * len(obj)\n for i, (val, conv, avar) in enumerate(zip(obj, convs, inblock)):\n if i == 0:\n pass\n else:\n val = conv(val, inblock[i])\n obj[i] = val\n return obj\n",
"role": "user"
},
{
"content": "convertfields_old",
"role": "assistant"
}
] |
def x(field_comm, field_val, field_iddname):
convinidd = ConvInIDD()
field_typ = field_comm.get('type', [None])[0]
conv = convinidd.conv_dict().get(field_typ, convinidd.no_type)
return conv(field_val, field_iddname)
|
convertafield
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(field_comm, field_val, field_iddname):\n convinidd = ConvInIDD()\n field_typ = field_comm.get('type', [None])[0]\n conv = convinidd.conv_dict().get(field_typ, convinidd.no_type)\n return conv(field_val, field_iddname)\n",
"role": "user"
},
{
"content": "convertafield",
"role": "assistant"
}
] |
def x(key_comm, obj, inblock=None):
convinidd = ConvInIDD()
if not inblock:
inblock = ['does not start with N'] * len(obj)
for i, (f_comm, f_val, f_iddname) in enumerate(zip(key_comm, obj, inblock)
):
if i == 0:
pass
else:
obj[i] = convertafield(f_comm, f_val, f_iddname)
return obj
|
convertfields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key_comm, obj, inblock=None):\n convinidd = ConvInIDD()\n if not inblock:\n inblock = ['does not start with N'] * len(obj)\n for i, (f_comm, f_val, f_iddname) in enumerate(zip(key_comm, obj, inblock)\n ):\n if i == 0:\n pass\n else:\n obj[i] = convertafield(f_comm, f_val, f_iddname)\n return obj\n",
"role": "user"
},
{
"content": "convertfields",
"role": "assistant"
}
] |
def x(data, commdct, block=None):
for key in list(data.dt.keys()):
objs = data.dt[key]
for i, obj in enumerate(objs):
key_i = data.dtls.index(key)
key_comm = commdct[key_i]
try:
inblock = block[key_i]
except TypeError as e:
inblock = None
obj = convertfields(key_comm, obj, inblock)
objs[i] = obj
|
convertallfields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, commdct, block=None):\n for key in list(data.dt.keys()):\n objs = data.dt[key]\n for i, obj in enumerate(objs):\n key_i = data.dtls.index(key)\n key_comm = commdct[key_i]\n try:\n inblock = block[key_i]\n except TypeError as e:\n inblock = None\n obj = convertfields(key_comm, obj, inblock)\n objs[i] = obj\n",
"role": "user"
},
{
"content": "convertallfields",
"role": "assistant"
}
] |
def x(dtls, bunchdt):
snames = ['BuildingSurface:Detailed', 'Wall:Detailed',
'RoofCeiling:Detailed', 'Floor:Detailed',
'FenestrationSurface:Detailed', 'Shading:Site:Detailed',
'Shading:Building:Detailed', 'Shading:Zone:Detailed']
for sname in snames:
if sname.upper() in bunchdt:
surfaces = bunchdt[sname.upper()]
for surface in surfaces:
func_dict = {'area': fh.area, 'height': fh.height, 'width':
fh.width, 'azimuth': fh.azimuth, 'tilt': fh.tilt,
'coords': fh.getcoords}
try:
surface.__functions.update(func_dict)
except KeyError as e:
surface.__functions = func_dict
|
addfunctions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dtls, bunchdt):\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 for sname in snames:\n if sname.upper() in bunchdt:\n surfaces = bunchdt[sname.upper()]\n for surface in surfaces:\n func_dict = {'area': fh.area, 'height': fh.height, 'width':\n fh.width, 'azimuth': fh.azimuth, 'tilt': fh.tilt,\n 'coords': fh.getcoords}\n try:\n surface.__functions.update(func_dict)\n except KeyError as e:\n surface.__functions = func_dict\n",
"role": "user"
},
{
"content": "addfunctions",
"role": "assistant"
}
] |
def x(abunch, key):
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}
try:
abunch.__functions.update(func_dict)
except KeyError as e:
abunch.__functions = func_dict
return abunch
|
addfunctions2new
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(abunch, key):\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 try:\n abunch.__functions.update(func_dict)\n except KeyError as e:\n abunch.__functions = func_dict\n return abunch\n",
"role": "user"
},
{
"content": "addfunctions2new",
"role": "assistant"
}
] |
def x(fname, iddfile, conv=True):
data, commdct, idd_index = readidf.readdatacommdct(fname, iddfile=iddfile)
if conv:
convertallfields(data, commdct)
ddtt, dtls = data.dt, data.dtls
nofirstfields = iddgaps.missingkeys_standard(commdct, dtls, skiplist=[
'TABLE:MULTIVARIABLELOOKUP'])
iddgaps.missingkeys_nonstandard(None, commdct, dtls, nofirstfields)
bunchdt = makebunches(data, commdct)
return bunchdt, data, commdct, idd_index
|
idfreader
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname, iddfile, conv=True):\n data, commdct, idd_index = readidf.readdatacommdct(fname, iddfile=iddfile)\n if conv:\n convertallfields(data, commdct)\n ddtt, dtls = data.dt, data.dtls\n nofirstfields = iddgaps.missingkeys_standard(commdct, dtls, skiplist=[\n 'TABLE:MULTIVARIABLELOOKUP'])\n iddgaps.missingkeys_nonstandard(None, commdct, dtls, nofirstfields)\n bunchdt = makebunches(data, commdct)\n return bunchdt, data, commdct, idd_index\n",
"role": "user"
},
{
"content": "idfreader",
"role": "assistant"
}
] |
def x(fname, iddfile, theidf, conv=True, commdct=None, block=None):
versiontuple = iddversiontuple(iddfile)
block, data, commdct, idd_index = readidf.readdatacommdct1(fname,
iddfile=iddfile, commdct=commdct, block=block)
if conv:
convertallfields(data, commdct, block)
ddtt, dtls = data.dt, data.dtls
if versiontuple < (8,):
skiplist = ['TABLE:MULTIVARIABLELOOKUP']
else:
skiplist = None
nofirstfields = iddgaps.missingkeys_standard(commdct, dtls, skiplist=
skiplist)
iddgaps.missingkeys_nonstandard(block, commdct, dtls, nofirstfields)
bunchdt = makebunches_alter(data, commdct, theidf)
return bunchdt, block, data, commdct, idd_index, versiontuple
|
idfreader1
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname, iddfile, theidf, conv=True, commdct=None, block=None):\n versiontuple = iddversiontuple(iddfile)\n block, data, commdct, idd_index = readidf.readdatacommdct1(fname,\n iddfile=iddfile, commdct=commdct, block=block)\n if conv:\n convertallfields(data, commdct, block)\n ddtt, dtls = data.dt, data.dtls\n if versiontuple < (8,):\n skiplist = ['TABLE:MULTIVARIABLELOOKUP']\n else:\n skiplist = None\n nofirstfields = iddgaps.missingkeys_standard(commdct, dtls, skiplist=\n skiplist)\n iddgaps.missingkeys_nonstandard(block, commdct, dtls, nofirstfields)\n bunchdt = makebunches_alter(data, commdct, theidf)\n return bunchdt, block, data, commdct, idd_index, versiontuple\n",
"role": "user"
},
{
"content": "idfreader1",
"role": "assistant"
}
] |
def x(self):
return dict(integer=self.integer, real=self.real, no_type=self.no_type)
|
conv_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return dict(integer=self.integer, real=self.real, no_type=self.no_type)\n",
"role": "user"
},
{
"content": "conv_dict",
"role": "assistant"
}
] |
def x(idf, anidfobject):
name = anidfobject.obj[1]
foundobjs = []
keys = idfobjectkeys(idf)
idfkeyobjects = [idf.idfobjects[key.upper()] for key in keys]
for idfobjects in idfkeyobjects:
for idfobject in idfobjects:
if name.upper() in [item.upper() for item in idfobject.obj if
isinstance(item, basestring)]:
foundobjs.append(idfobject)
return foundobjs
|
getanymentions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, anidfobject):\n name = anidfobject.obj[1]\n foundobjs = []\n keys = idfobjectkeys(idf)\n idfkeyobjects = [idf.idfobjects[key.upper()] for key in keys]\n for idfobjects in idfkeyobjects:\n for idfobject in idfobjects:\n if name.upper() in [item.upper() for item in idfobject.obj if\n isinstance(item, basestring)]:\n foundobjs.append(idfobject)\n return foundobjs\n",
"role": "user"
},
{
"content": "getanymentions",
"role": "assistant"
}
] |
def x(idf, idfobject, fieldname):
if not fieldname.endswith('Name'):
return None
fdnames = idfobject.fieldnames
ifieldname = fdnames.index(fieldname)
prevfdname = fdnames[ifieldname - 1]
if not prevfdname.endswith('Object_Type'):
return None
objkey = idfobject[prevfdname].upper()
objname = idfobject[fieldname]
try:
foundobj = idf.getobject(objkey, objname)
except KeyError as e:
return None
return foundobj
|
getobject_use_prevfield
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, idfobject, fieldname):\n if not fieldname.endswith('Name'):\n return None\n fdnames = idfobject.fieldnames\n ifieldname = fdnames.index(fieldname)\n prevfdname = fdnames[ifieldname - 1]\n if not prevfdname.endswith('Object_Type'):\n return None\n objkey = idfobject[prevfdname].upper()\n objname = idfobject[fieldname]\n try:\n foundobj = idf.getobject(objkey, objname)\n except KeyError as e:\n return None\n return foundobj\n",
"role": "user"
},
{
"content": "getobject_use_prevfield",
"role": "assistant"
}
] |
def x():
idf = IDF(StringIO(''))
keys = idfobjectkeys(idf)
keysfieldnames = ((key, idf.newidfobject(key.upper()).fieldnames) for
key in keys)
keysnodefdnames = ((key, (name for name in fdnames if name.endswith(
'Node_Name'))) for key, fdnames in keysfieldnames)
nodekeys = [key for key, fdnames in keysnodefdnames if list(fdnames)]
return nodekeys
|
getidfkeyswithnodes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n idf = IDF(StringIO(''))\n keys = idfobjectkeys(idf)\n keysfieldnames = ((key, idf.newidfobject(key.upper()).fieldnames) for\n key in keys)\n keysnodefdnames = ((key, (name for name in fdnames if name.endswith(\n 'Node_Name'))) for key, fdnames in keysfieldnames)\n nodekeys = [key for key, fdnames in keysnodefdnames if list(fdnames)]\n return nodekeys\n",
"role": "user"
},
{
"content": "getidfkeyswithnodes",
"role": "assistant"
}
] |
def x(idf, nodekeys, nodename):
keys = nodekeys
listofidfobjects = (idf.idfobjects[key.upper()] for key in keys if idf.
idfobjects[key.upper()])
idfobjects = [idfobj for idfobjs in listofidfobjects for idfobj in idfobjs]
objwithnodes = []
for obj in idfobjects:
values = obj.fieldvalues
fdnames = obj.fieldnames
for value, fdname in zip(values, fdnames):
if fdname.endswith('Node_Name'):
if value == nodename:
objwithnodes.append(obj)
break
return objwithnodes
|
getobjectswithnode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, nodekeys, nodename):\n keys = nodekeys\n listofidfobjects = (idf.idfobjects[key.upper()] for key in keys if idf.\n idfobjects[key.upper()])\n idfobjects = [idfobj for idfobjs in listofidfobjects for idfobj in idfobjs]\n objwithnodes = []\n for obj in idfobjects:\n values = obj.fieldvalues\n fdnames = obj.fieldnames\n for value, fdname in zip(values, fdnames):\n if fdname.endswith('Node_Name'):\n if value == nodename:\n objwithnodes.append(obj)\n break\n return objwithnodes\n",
"role": "user"
},
{
"content": "getobjectswithnode",
"role": "assistant"
}
] |
def x(idf, groupnamess=None, objkeys=None, **kwargs):
if not objkeys:
objkeys = idfobjectkeys(idf)
for objkey in objkeys:
idfobjs = idf.idfobjects[objkey.upper()]
for idfobj in idfobjs:
for key, val in kwargs.items():
try:
if idfobj[key] == val:
return idfobj
except BadEPFieldError as e:
continue
|
name2idfobject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, groupnamess=None, objkeys=None, **kwargs):\n if not objkeys:\n objkeys = idfobjectkeys(idf)\n for objkey in objkeys:\n idfobjs = idf.idfobjects[objkey.upper()]\n for idfobj in idfobjs:\n for key, val in kwargs.items():\n try:\n if idfobj[key] == val:\n return idfobj\n except BadEPFieldError as e:\n continue\n",
"role": "user"
},
{
"content": "name2idfobject",
"role": "assistant"
}
] |
def x(idf):
idfobjects = idf.idfobjects
idfobjlst = [idfobjects[key] for key in idf.model.dtls if idfobjects[key]]
idfobjlst = itertools.chain.from_iterable(idfobjlst)
idfobjlst = list(idfobjlst)
return idfobjlst
|
getidfobjectlist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf):\n idfobjects = idf.idfobjects\n idfobjlst = [idfobjects[key] for key in idf.model.dtls if idfobjects[key]]\n idfobjlst = itertools.chain.from_iterable(idfobjlst)\n idfobjlst = list(idfobjlst)\n return idfobjlst\n",
"role": "user"
},
{
"content": "getidfobjectlist",
"role": "assistant"
}
] |
def x(toidf, fromidf):
idfobjlst = getidfobjectlist(fromidf)
for idfobj in idfobjlst:
toidf.copyidfobject(idfobj)
|
copyidfintoidf
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(toidf, fromidf):\n idfobjlst = getidfobjectlist(fromidf)\n for idfobj in idfobjlst:\n toidf.copyidfobject(idfobj)\n",
"role": "user"
},
{
"content": "copyidfintoidf",
"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 itertools.zip_longest(n_idfobjs1,
n_idfobjs2):
if idfobj1 == None:
thediffs[idfobj2.key.upper(), getobjname(idfobj2)
] = None, idf1.idfname
break
if idfobj2 == None:
thediffs[idfobj1.key.upper(), getobjname(idfobj1)
] = idf2.idfname, None
break
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 itertools.zip_longest(n_idfobjs1,\n n_idfobjs2):\n if idfobj1 == None:\n thediffs[idfobj2.key.upper(), getobjname(idfobj2)\n ] = None, idf1.idfname\n break\n if idfobj2 == None:\n thediffs[idfobj1.key.upper(), getobjname(idfobj1)\n ] = idf2.idfname, None\n break\n return thediffs\n",
"role": "user"
},
{
"content": "idfdiffs",
"role": "assistant"
}
] |
def x(idfobject):
return [fname for fname, dct in zip(idfobject.objls, idfobject['objidd'
]) if 'autosizable' in dct]
|
autosize_fieldname
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idfobject):\n return [fname for fname, dct in zip(idfobject.objls, idfobject['objidd'\n ]) if 'autosizable' in dct]\n",
"role": "user"
},
{
"content": "autosize_fieldname",
"role": "assistant"
}
] |
def x(fhandle):
try:
txt = fhandle.read()
return iddtxt2groups(txt)
except AttributeError as e:
txt = open(fhandle, 'r').read()
return iddtxt2groups(txt)
|
idd2group
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fhandle):\n try:\n txt = fhandle.read()\n return iddtxt2groups(txt)\n except AttributeError as e:\n txt = open(fhandle, 'r').read()\n return iddtxt2groups(txt)\n",
"role": "user"
},
{
"content": "idd2group",
"role": "assistant"
}
] |
def x(fhandle):
try:
txt = fhandle.read()
return iddtxt2grouplist(txt)
except AttributeError as e:
txt = open(fhandle, 'r').read()
return iddtxt2grouplist(txt)
|
idd2grouplist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fhandle):\n try:\n txt = fhandle.read()\n return iddtxt2grouplist(txt)\n except AttributeError as e:\n txt = open(fhandle, 'r').read()\n return iddtxt2grouplist(txt)\n",
"role": "user"
},
{
"content": "idd2grouplist",
"role": "assistant"
}
] |
def x(txt):
try:
txt = txt.decode('ISO-8859-2')
except AttributeError as e:
pass
txt = nocomment(txt, '!')
txt = txt.replace('\\group', '!-group')
txt = nocomment(txt, '\\')
lines = txt.splitlines()
lines = [line.strip() for line in lines]
lines = [line for line in lines if line != '']
txt = '\n'.join(lines)
gsplits = txt.split('!')
gsplits = [gsplit.splitlines() for gsplit in gsplits]
gsplits[0].insert(0, None)
gdict = {}
for gsplit in gsplits:
gdict.update({gsplit[0]: gsplit[1:]})
gdict = {k: '\n'.join(v) for k, v in gdict.items()}
gdict = {k: v.split(';') for k, v in gdict.items()}
gdict = {k: [i.strip() for i in v] for k, v in gdict.items()}
gdict = {k: [i.splitlines() for i in v] for k, v in gdict.items()}
gdict = {k: [i for i in v if len(i) > 0] for k, v in gdict.items()}
gdict = {k: [i[0] for i in v] for k, v in gdict.items()}
gdict = {k: [i.split(',')[0] for i in v] for k, v in gdict.items()}
nvalue = gdict.pop(None)
gdict = {k[len('-group '):]: v for k, v in gdict.items()}
gdict.update({None: nvalue})
return gdict
|
iddtxt2groups
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(txt):\n try:\n txt = txt.decode('ISO-8859-2')\n except AttributeError as e:\n pass\n txt = nocomment(txt, '!')\n txt = txt.replace('\\\\group', '!-group')\n txt = nocomment(txt, '\\\\')\n lines = txt.splitlines()\n lines = [line.strip() for line in lines]\n lines = [line for line in lines if line != '']\n txt = '\\n'.join(lines)\n gsplits = txt.split('!')\n gsplits = [gsplit.splitlines() for gsplit in gsplits]\n gsplits[0].insert(0, None)\n gdict = {}\n for gsplit in gsplits:\n gdict.update({gsplit[0]: gsplit[1:]})\n gdict = {k: '\\n'.join(v) for k, v in gdict.items()}\n gdict = {k: v.split(';') for k, v in gdict.items()}\n gdict = {k: [i.strip() for i in v] for k, v in gdict.items()}\n gdict = {k: [i.splitlines() for i in v] for k, v in gdict.items()}\n gdict = {k: [i for i in v if len(i) > 0] for k, v in gdict.items()}\n gdict = {k: [i[0] for i in v] for k, v in gdict.items()}\n gdict = {k: [i.split(',')[0] for i in v] for k, v in gdict.items()}\n nvalue = gdict.pop(None)\n gdict = {k[len('-group '):]: v for k, v in gdict.items()}\n gdict.update({None: nvalue})\n return gdict\n",
"role": "user"
},
{
"content": "iddtxt2groups",
"role": "assistant"
}
] |
def x(txt):
def x(astr):
if astr == 'None':
return None
else:
return astr
txt = nocomment(txt, '!')
txt = txt.replace('\\group', '!-group')
txt = nocomment(txt, '\\')
lines = txt.splitlines()
lines = [line.strip() for line in lines]
lines = [line for line in lines if line != '']
txt = '\n'.join(lines)
gsplits = txt.split('!')
gsplits = [gsplit.splitlines() for gsplit in gsplits]
gsplits[0].insert(0, u'-group None')
glist = []
for gsplit in gsplits:
glist.append((gsplit[0], gsplit[1:]))
glist = [(k, '\n'.join(v)) for k, v in glist]
glist = [(k, v.split(';')) for k, v in glist]
glist = [(k, [i.strip() for i in v]) for k, v in glist]
glist = [(k, [i.splitlines() for i in v]) for k, v in glist]
glist = [(k, [i for i in v if len(i) > 0]) for k, v in glist]
glist = [(k, [i[0] for i in v]) for k, v in glist]
fglist = []
for gnamelist in glist:
gname = gnamelist[0]
thelist = gnamelist[-1]
for item in thelist:
fglist.append((gname, item))
glist = [(gname[len('-group '):], obj) for gname, obj in fglist]
glist = [(makenone(gname), obj) for gname, obj in glist]
glist = [(gname, obj.split(',')[0]) for gname, obj in glist]
return glist
|
iddtxt2grouplist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(txt):\n\n def x(astr):\n if astr == 'None':\n return None\n else:\n return astr\n txt = nocomment(txt, '!')\n txt = txt.replace('\\\\group', '!-group')\n txt = nocomment(txt, '\\\\')\n lines = txt.splitlines()\n lines = [line.strip() for line in lines]\n lines = [line for line in lines if line != '']\n txt = '\\n'.join(lines)\n gsplits = txt.split('!')\n gsplits = [gsplit.splitlines() for gsplit in gsplits]\n gsplits[0].insert(0, u'-group None')\n glist = []\n for gsplit in gsplits:\n glist.append((gsplit[0], gsplit[1:]))\n glist = [(k, '\\n'.join(v)) for k, v in glist]\n glist = [(k, v.split(';')) for k, v in glist]\n glist = [(k, [i.strip() for i in v]) for k, v in glist]\n glist = [(k, [i.splitlines() for i in v]) for k, v in glist]\n glist = [(k, [i for i in v if len(i) > 0]) for k, v in glist]\n glist = [(k, [i[0] for i in v]) for k, v in glist]\n fglist = []\n for gnamelist in glist:\n gname = gnamelist[0]\n thelist = gnamelist[-1]\n for item in thelist:\n fglist.append((gname, item))\n glist = [(gname[len('-group '):], obj) for gname, obj in fglist]\n glist = [(makenone(gname), obj) for gname, obj in glist]\n glist = [(gname, obj.split(',')[0]) for gname, obj in glist]\n return glist\n",
"role": "user"
},
{
"content": "iddtxt2grouplist",
"role": "assistant"
}
] |
def x(commlst, glist):
for (gname, objname), commitem in zip(glist, commlst):
newitem1 = 'group %s' % (gname,)
newitem2 = 'idfobj %s' % (objname,)
commitem[0].insert(0, newitem1)
commitem[0].insert(1, newitem2)
return commlst
|
group2commlst
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(commlst, glist):\n for (gname, objname), commitem in zip(glist, commlst):\n newitem1 = 'group %s' % (gname,)\n newitem2 = 'idfobj %s' % (objname,)\n commitem[0].insert(0, newitem1)\n commitem[0].insert(1, newitem2)\n return commlst\n",
"role": "user"
},
{
"content": "group2commlst",
"role": "assistant"
}
] |
def x(commdct, glist):
for (gname, objname), commitem in zip(glist, commdct):
commitem[0]['group'] = gname
commitem[0]['idfobj'] = objname
return commdct
|
group2commdct
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(commdct, glist):\n for (gname, objname), commitem in zip(glist, commdct):\n commitem[0]['group'] = gname\n commitem[0]['idfobj'] = objname\n return commdct\n",
"role": "user"
},
{
"content": "group2commdct",
"role": "assistant"
}
] |
def x(gcommdct):
gdict = {}
for objidd in gcommdct:
group = objidd[0]['group']
objname = objidd[0]['idfobj']
if group in gdict:
gdict[group].append(objname)
else:
gdict[group] = [objname]
return gdict
|
commdct2grouplist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gcommdct):\n gdict = {}\n for objidd in gcommdct:\n group = objidd[0]['group']\n objname = objidd[0]['idfobj']\n if group in gdict:\n gdict[group].append(objname)\n else:\n gdict[group] = [objname]\n return gdict\n",
"role": "user"
},
{
"content": "commdct2grouplist",
"role": "assistant"
}
] |
def x(lst):
thelist = copy.deepcopy(lst)
list_is_nested = True
while list_is_nested:
keepchecking = False
atemp = []
for element in thelist:
if isinstance(element, list):
atemp.extend(element)
keepchecking = True
else:
atemp.append(element)
list_is_nested = keepchecking
thelist = atemp[:]
return thelist
|
flattencopy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lst):\n thelist = copy.deepcopy(lst)\n list_is_nested = True\n while list_is_nested:\n keepchecking = False\n atemp = []\n for element in thelist:\n if isinstance(element, list):\n atemp.extend(element)\n keepchecking = True\n else:\n atemp.append(element)\n list_is_nested = keepchecking\n thelist = atemp[:]\n return thelist\n",
"role": "user"
},
{
"content": "flattencopy",
"role": "assistant"
}
] |
def x(idf, pname):
apipe = idf.newidfobject('Pipe:Adiabatic'.upper(), Name=pname)
apipe.Inlet_Node_Name = '%s_inlet' % (pname,)
apipe.Outlet_Node_Name = '%s_outlet' % (pname,)
return apipe
|
makepipecomponent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, pname):\n apipe = idf.newidfobject('Pipe:Adiabatic'.upper(), Name=pname)\n apipe.Inlet_Node_Name = '%s_inlet' % (pname,)\n apipe.Outlet_Node_Name = '%s_outlet' % (pname,)\n return apipe\n",
"role": "user"
},
{
"content": "makepipecomponent",
"role": "assistant"
}
] |
def x(idf, dname):
aduct = idf.newidfobject('duct'.upper(), Name=dname)
aduct.Inlet_Node_Name = '%s_inlet' % (dname,)
aduct.Outlet_Node_Name = '%s_outlet' % (dname,)
return aduct
|
makeductcomponent
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, dname):\n aduct = idf.newidfobject('duct'.upper(), Name=dname)\n aduct.Inlet_Node_Name = '%s_inlet' % (dname,)\n aduct.Outlet_Node_Name = '%s_outlet' % (dname,)\n return aduct\n",
"role": "user"
},
{
"content": "makeductcomponent",
"role": "assistant"
}
] |
def x(idf, bname):
pname = '%s_pipe' % (bname,)
apipe = makepipecomponent(idf, pname)
abranch = idf.newidfobject('BRANCH', Name=bname)
abranch.Component_1_Object_Type = 'Pipe:Adiabatic'
abranch.Component_1_Name = pname
abranch.Component_1_Inlet_Node_Name = apipe.Inlet_Node_Name
abranch.Component_1_Outlet_Node_Name = apipe.Outlet_Node_Name
abranch.Component_1_Branch_Control_Type = 'Bypass'
return abranch
|
makepipebranch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, bname):\n pname = '%s_pipe' % (bname,)\n apipe = makepipecomponent(idf, pname)\n abranch = idf.newidfobject('BRANCH', Name=bname)\n abranch.Component_1_Object_Type = 'Pipe:Adiabatic'\n abranch.Component_1_Name = pname\n abranch.Component_1_Inlet_Node_Name = apipe.Inlet_Node_Name\n abranch.Component_1_Outlet_Node_Name = apipe.Outlet_Node_Name\n abranch.Component_1_Branch_Control_Type = 'Bypass'\n return abranch\n",
"role": "user"
},
{
"content": "makepipebranch",
"role": "assistant"
}
] |
def x(idf, bname):
pname = '%s_duct' % (bname,)
aduct = makeductcomponent(idf, pname)
abranch = idf.newidfobject('BRANCH', Name=bname)
abranch.Component_1_Object_Type = 'duct'
abranch.Component_1_Name = pname
abranch.Component_1_Inlet_Node_Name = aduct.Inlet_Node_Name
abranch.Component_1_Outlet_Node_Name = aduct.Outlet_Node_Name
abranch.Component_1_Branch_Control_Type = 'Bypass'
return abranch
|
makeductbranch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, bname):\n pname = '%s_duct' % (bname,)\n aduct = makeductcomponent(idf, pname)\n abranch = idf.newidfobject('BRANCH', Name=bname)\n abranch.Component_1_Object_Type = 'duct'\n abranch.Component_1_Name = pname\n abranch.Component_1_Inlet_Node_Name = aduct.Inlet_Node_Name\n abranch.Component_1_Outlet_Node_Name = aduct.Outlet_Node_Name\n abranch.Component_1_Branch_Control_Type = 'Bypass'\n return abranch\n",
"role": "user"
},
{
"content": "makeductbranch",
"role": "assistant"
}
] |
def x(idf, branch, utest=False):
fobjtype = 'Component_%s_Object_Type'
fobjname = 'Component_%s_Name'
complist = []
for i in range(1, 100000):
try:
objtype = branch[fobjtype % (i,)]
if objtype.strip() == '':
break
objname = branch[fobjname % (i,)]
complist.append((objtype, objname))
except bunch_subclass.BadEPFieldError:
break
if utest:
return complist
else:
return [idf.getobject(ot, on) for ot, on in complist]
|
getbranchcomponents
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, branch, utest=False):\n fobjtype = 'Component_%s_Object_Type'\n fobjname = 'Component_%s_Name'\n complist = []\n for i in range(1, 100000):\n try:\n objtype = branch[fobjtype % (i,)]\n if objtype.strip() == '':\n break\n objname = branch[fobjname % (i,)]\n complist.append((objtype, objname))\n except bunch_subclass.BadEPFieldError:\n break\n if utest:\n return complist\n else:\n return [idf.getobject(ot, on) for ot, on in complist]\n",
"role": "user"
},
{
"content": "getbranchcomponents",
"role": "assistant"
}
] |
def x(idf, fieldtype):
renameds = []
for key in idf.model.dtls:
for idfobject in idf.idfobjects[key]:
for fieldvalue in idfobject.obj:
if type(fieldvalue) is list:
if fieldvalue not in renameds:
cpvalue = copy.copy(fieldvalue)
renameds.append(cpvalue)
for key in idf.model.dtls:
for idfobject in idf.idfobjects[key]:
for i, fieldvalue in enumerate(idfobject.obj):
itsidd = idfobject.objidd[i]
if 'type' in itsidd:
if itsidd['type'][0] == fieldtype:
tempdct = dict(renameds)
if type(fieldvalue) is list:
fieldvalue = fieldvalue[-1]
idfobject.obj[i] = fieldvalue
elif fieldvalue in tempdct:
fieldvalue = tempdct[fieldvalue]
idfobject.obj[i] = fieldvalue
|
renamenodes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, fieldtype):\n renameds = []\n for key in idf.model.dtls:\n for idfobject in idf.idfobjects[key]:\n for fieldvalue in idfobject.obj:\n if type(fieldvalue) is list:\n if fieldvalue not in renameds:\n cpvalue = copy.copy(fieldvalue)\n renameds.append(cpvalue)\n for key in idf.model.dtls:\n for idfobject in idf.idfobjects[key]:\n for i, fieldvalue in enumerate(idfobject.obj):\n itsidd = idfobject.objidd[i]\n if 'type' in itsidd:\n if itsidd['type'][0] == fieldtype:\n tempdct = dict(renameds)\n if type(fieldvalue) is list:\n fieldvalue = fieldvalue[-1]\n idfobject.obj[i] = fieldvalue\n elif fieldvalue in tempdct:\n fieldvalue = tempdct[fieldvalue]\n idfobject.obj[i] = fieldvalue\n",
"role": "user"
},
{
"content": "renamenodes",
"role": "assistant"
}
] |
def x(idfobject, endswith):
objls = idfobject.objls
tmp = [name for name in objls if name.endswith(endswith)]
if tmp == []:
pass
return [name for name in objls if name.endswith(endswith)]
|
getfieldnamesendswith
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idfobject, endswith):\n objls = idfobject.objls\n tmp = [name for name in objls if name.endswith(endswith)]\n if tmp == []:\n pass\n return [name for name in objls if name.endswith(endswith)]\n",
"role": "user"
},
{
"content": "getfieldnamesendswith",
"role": "assistant"
}
] |
def x(idfobject, endswith, fluid=None, startswith=None):
if startswith is None:
startswith = ''
if fluid is None:
fluid = ''
nodenames = getfieldnamesendswith(idfobject, endswith)
nodenames = [name for name in nodenames if name.startswith(startswith)]
fnodenames = [nd for nd in nodenames if nd.find(fluid) != -1]
fnodenames = [name for name in fnodenames if name.startswith(startswith)]
if len(fnodenames) == 0:
nodename = nodenames[0]
else:
nodename = fnodenames[0]
return nodename
|
getnodefieldname
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idfobject, endswith, fluid=None, startswith=None):\n if startswith is None:\n startswith = ''\n if fluid is None:\n fluid = ''\n nodenames = getfieldnamesendswith(idfobject, endswith)\n nodenames = [name for name in nodenames if name.startswith(startswith)]\n fnodenames = [nd for nd in nodenames if nd.find(fluid) != -1]\n fnodenames = [name for name in fnodenames if name.startswith(startswith)]\n if len(fnodenames) == 0:\n nodename = nodenames[0]\n else:\n nodename = fnodenames[0]\n return nodename\n",
"role": "user"
},
{
"content": "getnodefieldname",
"role": "assistant"
}
] |
def x(idf, components, fluid=None):
if fluid is None:
fluid = ''
if len(components) == 1:
thiscomp, thiscompnode = components[0]
initinletoutlet(idf, thiscomp, thiscompnode, force=False)
outletnodename = getnodefieldname(thiscomp, 'Outlet_Node_Name',
fluid=fluid, startswith=thiscompnode)
thiscomp[outletnodename] = [thiscomp[outletnodename], thiscomp[
outletnodename]]
return components
for i in range(len(components) - 1):
thiscomp, thiscompnode = components[i]
nextcomp, nextcompnode = components[i + 1]
initinletoutlet(idf, thiscomp, thiscompnode, force=False)
initinletoutlet(idf, nextcomp, nextcompnode, force=False)
betweennodename = '%s_%s_node' % (thiscomp.Name, nextcomp.Name)
outletnodename = getnodefieldname(thiscomp, 'Outlet_Node_Name',
fluid=fluid, startswith=thiscompnode)
thiscomp[outletnodename] = [thiscomp[outletnodename], betweennodename]
inletnodename = getnodefieldname(nextcomp, 'Inlet_Node_Name', fluid)
nextcomp[inletnodename] = [nextcomp[inletnodename], betweennodename]
return components
|
connectcomponents
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, components, fluid=None):\n if fluid is None:\n fluid = ''\n if len(components) == 1:\n thiscomp, thiscompnode = components[0]\n initinletoutlet(idf, thiscomp, thiscompnode, force=False)\n outletnodename = getnodefieldname(thiscomp, 'Outlet_Node_Name',\n fluid=fluid, startswith=thiscompnode)\n thiscomp[outletnodename] = [thiscomp[outletnodename], thiscomp[\n outletnodename]]\n return components\n for i in range(len(components) - 1):\n thiscomp, thiscompnode = components[i]\n nextcomp, nextcompnode = components[i + 1]\n initinletoutlet(idf, thiscomp, thiscompnode, force=False)\n initinletoutlet(idf, nextcomp, nextcompnode, force=False)\n betweennodename = '%s_%s_node' % (thiscomp.Name, nextcomp.Name)\n outletnodename = getnodefieldname(thiscomp, 'Outlet_Node_Name',\n fluid=fluid, startswith=thiscompnode)\n thiscomp[outletnodename] = [thiscomp[outletnodename], betweennodename]\n inletnodename = getnodefieldname(nextcomp, 'Inlet_Node_Name', fluid)\n nextcomp[inletnodename] = [nextcomp[inletnodename], betweennodename]\n return components\n",
"role": "user"
},
{
"content": "connectcomponents",
"role": "assistant"
}
] |
def x(idf, idfobject, thisnode, force=False):
def x(fieldvalue):
try:
if fieldvalue.strip() == '':
return True
else:
return False
except AttributeError:
return False
def x(fields, thisnode):
if len(fields) > 1:
if thisnode is not None:
fields = [field for field in fields if field.startswith(
thisnode)]
return fields
else:
print('Where should this loop connect ?')
print('%s - %s' % (idfobject.key, idfobject.Name))
print([field.split('Inlet_Node_Name')[0] for field in
inletfields])
raise WhichLoopError
else:
return fields
inletfields = getfieldnamesendswith(idfobject, 'Inlet_Node_Name')
inletfields = trimfields(inletfields, thisnode)
for inletfield in inletfields:
if blankfield(idfobject[inletfield]) == True or force == True:
idfobject[inletfield] = '%s_%s' % (idfobject.Name, inletfield)
outletfields = getfieldnamesendswith(idfobject, 'Outlet_Node_Name')
outletfields = trimfields(outletfields, thisnode)
for outletfield in outletfields:
if blankfield(idfobject[outletfield]) == True or force == True:
idfobject[outletfield] = '%s_%s' % (idfobject.Name, outletfield)
return idfobject
|
initinletoutlet
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, idfobject, thisnode, force=False):\n\n def x(fieldvalue):\n try:\n if fieldvalue.strip() == '':\n return True\n else:\n return False\n except AttributeError:\n return False\n\n def x(fields, thisnode):\n if len(fields) > 1:\n if thisnode is not None:\n fields = [field for field in fields if field.startswith(\n thisnode)]\n return fields\n else:\n print('Where should this loop connect ?')\n print('%s - %s' % (idfobject.key, idfobject.Name))\n print([field.split('Inlet_Node_Name')[0] for field in\n inletfields])\n raise WhichLoopError\n else:\n return fields\n inletfields = getfieldnamesendswith(idfobject, 'Inlet_Node_Name')\n inletfields = trimfields(inletfields, thisnode)\n for inletfield in inletfields:\n if blankfield(idfobject[inletfield]) == True or force == True:\n idfobject[inletfield] = '%s_%s' % (idfobject.Name, inletfield)\n outletfields = getfieldnamesendswith(idfobject, 'Outlet_Node_Name')\n outletfields = trimfields(outletfields, thisnode)\n for outletfield in outletfields:\n if blankfield(idfobject[outletfield]) == True or force == True:\n idfobject[outletfield] = '%s_%s' % (idfobject.Name, outletfield)\n return idfobject\n",
"role": "user"
},
{
"content": "initinletoutlet",
"role": "assistant"
}
] |
def x(idf, branch, listofcomponents, fluid=None):
if fluid is None:
fluid = ''
componentlist = [item[0] for item in listofcomponents]
thebranchname = branch.Name
thebranch = idf.removeextensibles('BRANCH', thebranchname)
e_index = idf.getextensibleindex('BRANCH', thebranchname)
theobj = thebranch.obj
modeleditor.extendlist(theobj, e_index)
for comp, compnode in listofcomponents:
theobj.append(comp.key)
theobj.append(comp.Name)
inletnodename = getnodefieldname(comp, 'Inlet_Node_Name', fluid=
fluid, startswith=compnode)
theobj.append(comp[inletnodename])
outletnodename = getnodefieldname(comp, 'Outlet_Node_Name', fluid=
fluid, startswith=compnode)
theobj.append(comp[outletnodename])
theobj.append('')
return thebranch
|
componentsintobranch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, branch, listofcomponents, fluid=None):\n if fluid is None:\n fluid = ''\n componentlist = [item[0] for item in listofcomponents]\n thebranchname = branch.Name\n thebranch = idf.removeextensibles('BRANCH', thebranchname)\n e_index = idf.getextensibleindex('BRANCH', thebranchname)\n theobj = thebranch.obj\n modeleditor.extendlist(theobj, e_index)\n for comp, compnode in listofcomponents:\n theobj.append(comp.key)\n theobj.append(comp.Name)\n inletnodename = getnodefieldname(comp, 'Inlet_Node_Name', fluid=\n fluid, startswith=compnode)\n theobj.append(comp[inletnodename])\n outletnodename = getnodefieldname(comp, 'Outlet_Node_Name', fluid=\n fluid, startswith=compnode)\n theobj.append(comp[outletnodename])\n theobj.append('')\n return thebranch\n",
"role": "user"
},
{
"content": "componentsintobranch",
"role": "assistant"
}
] |
def x(listofcomponents):
def x(item):
if isinstance(item, (tuple, list)):
return item
else:
return item, None
return [totuple(item) for item in listofcomponents]
|
clean_listofcomponents
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(listofcomponents):\n\n def x(item):\n if isinstance(item, (tuple, list)):\n return item\n else:\n return item, None\n return [totuple(item) for item in listofcomponents]\n",
"role": "user"
},
{
"content": "clean_listofcomponents",
"role": "assistant"
}
] |
def x(listofcomponents_tuples):
def x(item):
if len(item) == 3:
return item
else:
return item[0], item[1], None
return [to3tuple(item) for item in listofcomponents_tuples]
|
clean_listofcomponents_tuples
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(listofcomponents_tuples):\n\n def x(item):\n if len(item) == 3:\n return item\n else:\n return item[0], item[1], None\n return [to3tuple(item) for item in listofcomponents_tuples]\n",
"role": "user"
},
{
"content": "clean_listofcomponents_tuples",
"role": "assistant"
}
] |
def x(idf, key, name):
idfobject = idf.getobject(key, name)
if not idfobject:
return idf.newidfobject(key, Name=name)
else:
return idfobject
|
getmakeidfobject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, key, name):\n idfobject = idf.getobject(key, name)\n if not idfobject:\n return idf.newidfobject(key, Name=name)\n else:\n return idfobject\n",
"role": "user"
},
{
"content": "getmakeidfobject",
"role": "assistant"
}
] |
def x(idf, loop, branchname, listofcomponents_tuples, fluid=None, debugsave
=False):
if fluid is None:
fluid = ''
listofcomponents_tuples = _clean_listofcomponents_tuples(
listofcomponents_tuples)
branch = idf.getobject('BRANCH', branchname)
listofcomponents = []
for comp_type, comp_name, compnode in listofcomponents_tuples:
comp = getmakeidfobject(idf, comp_type.upper(), comp_name)
listofcomponents.append((comp, compnode))
newbr = replacebranch(idf, loop, branch, listofcomponents, debugsave=
debugsave, fluid=fluid)
return newbr
|
replacebranch1
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, loop, branchname, listofcomponents_tuples, fluid=None, debugsave\n =False):\n if fluid is None:\n fluid = ''\n listofcomponents_tuples = _clean_listofcomponents_tuples(\n listofcomponents_tuples)\n branch = idf.getobject('BRANCH', branchname)\n listofcomponents = []\n for comp_type, comp_name, compnode in listofcomponents_tuples:\n comp = getmakeidfobject(idf, comp_type.upper(), comp_name)\n listofcomponents.append((comp, compnode))\n newbr = replacebranch(idf, loop, branch, listofcomponents, debugsave=\n debugsave, fluid=fluid)\n return newbr\n",
"role": "user"
},
{
"content": "replacebranch1",
"role": "assistant"
}
] |
def x(idf, loop, branch, listofcomponents, fluid=None, debugsave=False,
testing=None):
if fluid is None:
fluid = ''
testn = 0
listofcomponents = _clean_listofcomponents(listofcomponents)
components = [item[0] for item in listofcomponents]
connectcomponents(idf, listofcomponents, fluid=fluid)
if debugsave:
idf.savecopy('hhh3.idf')
testn = doingtesting(testing, testn)
if testn == None:
returnnone()
fields = SomeFields.a_fields
thebranch = branch
componentsintobranch(idf, thebranch, listofcomponents, fluid=fluid)
if debugsave:
idf.savecopy('hhh4.idf')
testn = doingtesting(testing, testn)
if testn == None:
returnnone()
renamenodes(idf, 'node')
if debugsave:
idf.savecopy('hhh7.idf')
testn = doingtesting(testing, testn)
if testn == None:
returnnone()
if loop.key == 'AIRLOOPHVAC':
fields = SomeFields.a_fields
if loop.key == 'PLANTLOOP':
fields = SomeFields.p_fields
if loop.key == 'CONDENSERLOOP':
fields = SomeFields.c_fields
flnames = [field.replace(' ', '_') for field in fields]
if fluid.upper() == 'WATER':
supplyconlistname = loop[flnames[3]]
elif fluid.upper() == 'AIR':
supplyconlistname = loop[flnames[1]]
supplyconlist = idf.getobject('CONNECTORLIST', supplyconlistname)
for i in range(1, 100000):
try:
fieldname = 'Connector_%s_Object_Type' % (i,)
ctype = supplyconlist[fieldname]
except bunch_subclass.BadEPFieldError:
break
if ctype.strip() == '':
break
fieldname = 'Connector_%s_Name' % (i,)
cname = supplyconlist[fieldname]
connector = idf.getobject(ctype.upper(), cname)
if connector.key == 'CONNECTOR:SPLITTER':
firstbranchname = connector.Inlet_Branch_Name
cbranchname = firstbranchname
isfirst = True
if connector.key == 'CONNECTOR:MIXER':
lastbranchname = connector.Outlet_Branch_Name
cbranchname = lastbranchname
isfirst = False
if cbranchname == thebranch.Name:
comps = getbranchcomponents(idf, thebranch)
if isfirst:
comp = comps[0]
inletnodename = getnodefieldname(comp, 'Inlet_Node_Name', fluid
)
comp[inletnodename] = [comp[inletnodename], loop[flnames[0]]]
else:
comp = comps[-1]
outletnodename = getnodefieldname(comp, 'Outlet_Node_Name',
fluid)
comp[outletnodename] = [comp[outletnodename], loop[flnames[1]]]
testn = doingtesting(testing, testn)
if testn == None:
returnnone()
if fluid.upper() == 'WATER':
demandconlistname = loop[flnames[7]]
demandconlist = idf.getobject('CONNECTORLIST', demandconlistname)
for i in range(1, 100000):
try:
fieldname = 'Connector_%s_Object_Type' % (i,)
ctype = demandconlist[fieldname]
except bunch_subclass.BadEPFieldError:
break
if ctype.strip() == '':
break
fieldname = 'Connector_%s_Name' % (i,)
cname = demandconlist[fieldname]
connector = idf.getobject(ctype.upper(), cname)
if connector.key == 'CONNECTOR:SPLITTER':
firstbranchname = connector.Inlet_Branch_Name
cbranchname = firstbranchname
isfirst = True
if connector.key == 'CONNECTOR:MIXER':
lastbranchname = connector.Outlet_Branch_Name
cbranchname = lastbranchname
isfirst = False
if cbranchname == thebranch.Name:
comps = getbranchcomponents(idf, thebranch)
if isfirst:
comp = comps[0]
inletnodename = getnodefieldname(comp,
'Inlet_Node_Name', fluid)
comp[inletnodename] = [comp[inletnodename], loop[
flnames[4]]]
if not isfirst:
comp = comps[-1]
outletnodename = getnodefieldname(comp,
'Outlet_Node_Name', fluid)
comp[outletnodename] = [comp[outletnodename], loop[
flnames[5]]]
testn = doingtesting(testing, testn)
if testn == None:
returnnone()
if debugsave:
idf.savecopy('hhh8.idf')
renamenodes(idf, 'node')
testn = doingtesting(testing, testn)
if testn == None:
returnnone()
if debugsave:
idf.savecopy('hhh9.idf')
return thebranch
|
replacebranch
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(idf, loop, branch, listofcomponents, fluid=None, debugsave=False,\n testing=None):\n if fluid is None:\n fluid = ''\n testn = 0\n listofcomponents = _clean_listofcomponents(listofcomponents)\n components = [item[0] for item in listofcomponents]\n connectcomponents(idf, listofcomponents, fluid=fluid)\n if debugsave:\n idf.savecopy('hhh3.idf')\n testn = doingtesting(testing, testn)\n if testn == None:\n returnnone()\n fields = SomeFields.a_fields\n thebranch = branch\n componentsintobranch(idf, thebranch, listofcomponents, fluid=fluid)\n if debugsave:\n idf.savecopy('hhh4.idf')\n testn = doingtesting(testing, testn)\n if testn == None:\n returnnone()\n renamenodes(idf, 'node')\n if debugsave:\n idf.savecopy('hhh7.idf')\n testn = doingtesting(testing, testn)\n if testn == None:\n returnnone()\n if loop.key == 'AIRLOOPHVAC':\n fields = SomeFields.a_fields\n if loop.key == 'PLANTLOOP':\n fields = SomeFields.p_fields\n if loop.key == 'CONDENSERLOOP':\n fields = SomeFields.c_fields\n flnames = [field.replace(' ', '_') for field in fields]\n if fluid.upper() == 'WATER':\n supplyconlistname = loop[flnames[3]]\n elif fluid.upper() == 'AIR':\n supplyconlistname = loop[flnames[1]]\n supplyconlist = idf.getobject('CONNECTORLIST', supplyconlistname)\n for i in range(1, 100000):\n try:\n fieldname = 'Connector_%s_Object_Type' % (i,)\n ctype = supplyconlist[fieldname]\n except bunch_subclass.BadEPFieldError:\n break\n if ctype.strip() == '':\n break\n fieldname = 'Connector_%s_Name' % (i,)\n cname = supplyconlist[fieldname]\n connector = idf.getobject(ctype.upper(), cname)\n if connector.key == 'CONNECTOR:SPLITTER':\n firstbranchname = connector.Inlet_Branch_Name\n cbranchname = firstbranchname\n isfirst = True\n if connector.key == 'CONNECTOR:MIXER':\n lastbranchname = connector.Outlet_Branch_Name\n cbranchname = lastbranchname\n isfirst = False\n if cbranchname == thebranch.Name:\n comps = getbranchcomponents(idf, thebranch)\n if isfirst:\n comp = comps[0]\n inletnodename = getnodefieldname(comp, 'Inlet_Node_Name', fluid\n )\n comp[inletnodename] = [comp[inletnodename], loop[flnames[0]]]\n else:\n comp = comps[-1]\n outletnodename = getnodefieldname(comp, 'Outlet_Node_Name',\n fluid)\n comp[outletnodename] = [comp[outletnodename], loop[flnames[1]]]\n testn = doingtesting(testing, testn)\n if testn == None:\n returnnone()\n if fluid.upper() == 'WATER':\n demandconlistname = loop[flnames[7]]\n demandconlist = idf.getobject('CONNECTORLIST', demandconlistname)\n for i in range(1, 100000):\n try:\n fieldname = 'Connector_%s_Object_Type' % (i,)\n ctype = demandconlist[fieldname]\n except bunch_subclass.BadEPFieldError:\n break\n if ctype.strip() == '':\n break\n fieldname = 'Connector_%s_Name' % (i,)\n cname = demandconlist[fieldname]\n connector = idf.getobject(ctype.upper(), cname)\n if connector.key == 'CONNECTOR:SPLITTER':\n firstbranchname = connector.Inlet_Branch_Name\n cbranchname = firstbranchname\n isfirst = True\n if connector.key == 'CONNECTOR:MIXER':\n lastbranchname = connector.Outlet_Branch_Name\n cbranchname = lastbranchname\n isfirst = False\n if cbranchname == thebranch.Name:\n comps = getbranchcomponents(idf, thebranch)\n if isfirst:\n comp = comps[0]\n inletnodename = getnodefieldname(comp,\n 'Inlet_Node_Name', fluid)\n comp[inletnodename] = [comp[inletnodename], loop[\n flnames[4]]]\n if not isfirst:\n comp = comps[-1]\n outletnodename = getnodefieldname(comp,\n 'Outlet_Node_Name', fluid)\n comp[outletnodename] = [comp[outletnodename], loop[\n flnames[5]]]\n testn = doingtesting(testing, testn)\n if testn == None:\n returnnone()\n if debugsave:\n idf.savecopy('hhh8.idf')\n renamenodes(idf, 'node')\n testn = doingtesting(testing, testn)\n if testn == None:\n returnnone()\n if debugsave:\n idf.savecopy('hhh9.idf')\n return thebranch\n",
"role": "user"
},
{
"content": "replacebranch",
"role": "assistant"
}
] |
def x():
from six import StringIO
import eppy.iddv7 as iddv7
IDF.setiddname(StringIO(iddv7.iddtxt))
idf1 = IDF(StringIO(''))
loopname = 'p_loop'
sloop = ['sb0', ['sb1', 'sb2', 'sb3'], 'sb4']
dloop = ['db0', ['db1', 'db2', 'db3'], 'db4']
loopname = 'c_loop'
sloop = ['sb0', ['sb1', 'sb2', 'sb3'], 'sb4']
dloop = ['db0', ['db1', 'db2', 'db3'], 'db4']
loopname = 'a_loop'
sloop = ['sb0', ['sb1', 'sb2', 'sb3'], 'sb4']
dloop = ['zone1', 'zone2', 'zone3']
makeairloop(idf1, loopname, sloop, dloop)
idf1.savecopy('hh1.idf')
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from six import StringIO\n import eppy.iddv7 as iddv7\n IDF.setiddname(StringIO(iddv7.iddtxt))\n idf1 = IDF(StringIO(''))\n loopname = 'p_loop'\n sloop = ['sb0', ['sb1', 'sb2', 'sb3'], 'sb4']\n dloop = ['db0', ['db1', 'db2', 'db3'], 'db4']\n loopname = 'c_loop'\n sloop = ['sb0', ['sb1', 'sb2', 'sb3'], 'sb4']\n dloop = ['db0', ['db1', 'db2', 'db3'], 'db4']\n loopname = 'a_loop'\n sloop = ['sb0', ['sb1', 'sb2', 'sb3'], 'sb4']\n dloop = ['zone1', 'zone2', 'zone3']\n makeairloop(idf1, loopname, sloop, dloop)\n idf1.savecopy('hh1.idf')\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(poly):
if len(poly) < 3:
return 0
total = [0, 0, 0]
num = len(poly)
for i in range(num):
vi1 = poly[i]
vi2 = poly[(i + 1) % num]
prod = np.cross(vi1, vi2)
total[0] += prod[0]
total[1] += prod[1]
total[2] += prod[2]
if total == [0, 0, 0]:
return 0
result = np.dot(total, unit_normal(poly[0], poly[1], poly[2]))
return abs(result / 2)
|
area
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(poly):\n if len(poly) < 3:\n return 0\n total = [0, 0, 0]\n num = len(poly)\n for i in range(num):\n vi1 = poly[i]\n vi2 = poly[(i + 1) % num]\n prod = np.cross(vi1, vi2)\n total[0] += prod[0]\n total[1] += prod[1]\n total[2] += prod[2]\n if total == [0, 0, 0]:\n return 0\n result = np.dot(total, unit_normal(poly[0], poly[1], poly[2]))\n return abs(result / 2)\n",
"role": "user"
},
{
"content": "area",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.