diff --git a/src/Mod/BIM/Arch.py b/src/Mod/BIM/Arch.py index 6ea04f1b47..bed653b0e5 100644 --- a/src/Mod/BIM/Arch.py +++ b/src/Mod/BIM/Arch.py @@ -696,6 +696,20 @@ def makeRoof(baseobj=None, return obj +def makeSchedule(): + """makeSchedule(): Creates a schedule object in the active document""" + + import ArchSchedule + obj = FreeCAD.ActiveDocument.addObject("App::FeaturePython","Schedule") + obj.Label = translate("Arch","Schedule") + ArchSchedule._ArchSchedule(obj) + if FreeCAD.GuiUp: + ArchSchedule._ViewProviderArchSchedule(obj.ViewObject) + if hasattr(obj,"CreateSpreadsheet") and obj.CreateSpreadsheet: + obj.Proxy.getSpreadSheet(obj, force=True) + return obj + + def makeSectionPlane(objectslist=None,name=None): """makeSectionPlane([objectslist],[name]) : Creates a Section plane objects including the diff --git a/src/Mod/BIM/ArchCommands.py b/src/Mod/BIM/ArchCommands.py index 95c82d6689..82714de28a 100644 --- a/src/Mod/BIM/ArchCommands.py +++ b/src/Mod/BIM/ArchCommands.py @@ -746,7 +746,7 @@ def getHost(obj,strict=True): return par return None -def pruneIncluded(objectslist,strict=False): +def pruneIncluded(objectslist,strict=False,silent=False): """pruneIncluded(objectslist,[strict]): removes from a list of Arch objects, those that are subcomponents of another shape-based object, leaving only the top-level shapes. If strict is True, the object is removed only if the parent is also part of the selection.""" @@ -793,7 +793,7 @@ def pruneIncluded(objectslist,strict=False): toplevel = True if toplevel: newlist.append(obj) - else: + elif not silent: FreeCAD.Console.PrintWarning("pruning "+obj.Label+"\n") return newlist diff --git a/src/Mod/BIM/ArchSchedule.py b/src/Mod/BIM/ArchSchedule.py index 720dcb0441..78c42e4ef5 100644 --- a/src/Mod/BIM/ArchSchedule.py +++ b/src/Mod/BIM/ArchSchedule.py @@ -49,7 +49,8 @@ __author__ = "Yorik van Havre" __url__ = "https://www.freecad.org" -verbose = True # change this for silent recomputes +PARAMS = FreeCAD.ParamGet("User parameter:BaseApp/Preferences/Mod/BIM") +VERBOSE = True # change this for silent recomputes @@ -94,28 +95,33 @@ class _ArchSchedule: self.setSchedulePropertySpreadsheet(sp, obj) obj.removeProperty("Result") from draftutils.messages import _wrn + if "Description" in obj.PropertiesList: + if obj.getTypeOfProperty("Description") == "App::PropertyStringList": + obj.Operation = obj.Description + obj.removeProperty("Description") + _wrn("v0.21, " + sp.Label + ", " + translate("Arch", "renamed property 'Description' to 'Operation'")) _wrn("v0.21, " + obj.Label + ", " + translate("Arch", "removed property 'Result', and added property 'AutoUpdate'")) if sp is not None: _wrn("v0.21, " + sp.Label + ", " + translate("Arch", "added property 'Schedule'")) def setProperties(self,obj): - if not "Description" in obj.PropertiesList: - obj.addProperty("App::PropertyStringList","Description", "Arch",QT_TRANSLATE_NOOP("App::Property","The description column")) + if not "Operation" in obj.PropertiesList: + obj.addProperty("App::PropertyStringList","Operation", "Schedule",QT_TRANSLATE_NOOP("App::Property","The operation column")) if not "Value" in obj.PropertiesList: - obj.addProperty("App::PropertyStringList","Value", "Arch",QT_TRANSLATE_NOOP("App::Property","The values column")) + obj.addProperty("App::PropertyStringList","Value", "Schedule",QT_TRANSLATE_NOOP("App::Property","The values column")) if not "Unit" in obj.PropertiesList: - obj.addProperty("App::PropertyStringList","Unit", "Arch",QT_TRANSLATE_NOOP("App::Property","The units column")) + obj.addProperty("App::PropertyStringList","Unit", "Schedule",QT_TRANSLATE_NOOP("App::Property","The units column")) if not "Objects" in obj.PropertiesList: - obj.addProperty("App::PropertyStringList","Objects", "Arch",QT_TRANSLATE_NOOP("App::Property","The objects column")) + obj.addProperty("App::PropertyStringList","Objects", "Schedule",QT_TRANSLATE_NOOP("App::Property","The objects column")) if not "Filter" in obj.PropertiesList: - obj.addProperty("App::PropertyStringList","Filter", "Arch",QT_TRANSLATE_NOOP("App::Property","The filter column")) + obj.addProperty("App::PropertyStringList","Filter", "Schedule",QT_TRANSLATE_NOOP("App::Property","The filter column")) if not "CreateSpreadsheet" in obj.PropertiesList: - obj.addProperty("App::PropertyBool", "CreateSpreadsheet", "Arch",QT_TRANSLATE_NOOP("App::Property","If True, a spreadsheet containing the results is recreated when needed")) + obj.addProperty("App::PropertyBool", "CreateSpreadsheet", "Schedule",QT_TRANSLATE_NOOP("App::Property","If True, a spreadsheet containing the results is recreated when needed")) if not "DetailedResults" in obj.PropertiesList: - obj.addProperty("App::PropertyBool", "DetailedResults", "Arch",QT_TRANSLATE_NOOP("App::Property","If True, additional lines with each individual object are added to the results")) + obj.addProperty("App::PropertyBool", "DetailedResults", "Schedule",QT_TRANSLATE_NOOP("App::Property","If True, additional lines with each individual object are added to the results")) if not "AutoUpdate" in obj.PropertiesList: - obj.addProperty("App::PropertyBool", "AutoUpdate", "Arch",QT_TRANSLATE_NOOP("App::Property","If True, the schedule and the associated spreadsheet are updated whenever the document is recomputed")) + obj.addProperty("App::PropertyBool", "AutoUpdate", "Schedule",QT_TRANSLATE_NOOP("App::Property","If True, the schedule and the associated spreadsheet are updated whenever the document is recomputed")) obj.AutoUpdate = True # To add the doc observer: @@ -191,7 +197,7 @@ class _ArchSchedule: # clearAll removes the custom property, we need to re-add it: self.setSchedulePropertySpreadsheet(sp, obj) # set headers - sp.set("A1","Description") + sp.set("A1","Operation") sp.set("B1","Value") sp.set("C1","Unit") sp.setStyle('A1:C1', 'bold', 'add') @@ -209,26 +215,26 @@ class _ArchSchedule: # verify the data - if not obj.Description: + if not obj.Operation: # empty description column return for p in [obj.Value,obj.Unit,obj.Objects,obj.Filter]: # different number of items in each column - if len(obj.Description) != len(p): + if len(obj.Operation) != len(p): return self.data = {} # store all results in self.data, so it lives even without spreadsheet - li = 1 # row index - starts at 2 to leave 2 blank rows for the title + self.li = 1 # row index - starts at 2 to leave 2 blank rows for the title - for i in range(len(obj.Description)): - li += 1 - if not obj.Description[i]: + for i in range(len(obj.Operation)): + self.li += 1 + if not obj.Operation[i]: # blank line continue # write description - self.data["A"+str(li)] = obj.Description[i] - if verbose: - l= "OPERATION: "+obj.Description[i] + self.data["A"+str(self.li)] = obj.Operation[i] + if VERBOSE: + l= "OPERATION: "+obj.Operation[i] print("") print (l) print (len(l)*"=") @@ -237,6 +243,10 @@ class _ArchSchedule: objs = obj.Objects[i] val = obj.Value[i] + unit = obj.Unit[i] + details = obj.DetailedResults + ifcfile = None + elts = None if val: import Draft,Arch if objs: @@ -244,143 +254,316 @@ class _ArchSchedule: objs = [FreeCAD.ActiveDocument.getObject(o) for o in objs] objs = [o for o in objs if o is not None] else: + if hasattr(getattr(FreeCAD.ActiveDocument, "Proxy", None), "ifcfile"): + ifcfile = FreeCAD.ActiveDocument.Proxy.ifcfile objs = FreeCAD.ActiveDocument.Objects if len(objs) == 1: + if hasattr(objs[0], "StepId"): + from nativeifc import ifc_tools + ifcfile = ifc_tools.get_ifcfile(objs[0]) # remove object itself if the object is a group if objs[0].isDerivedFrom("App::DocumentObjectGroup"): objs = objs[0].Group objs = Draft.get_group_contents(objs) - objs = Arch.pruneIncluded(objs,strict=True) + objs = Arch.pruneIncluded(objs,strict=True,silent=True) # Remove all schedules and spreadsheets: objs = [o for o in objs if Draft.get_type(o) not in ["Schedule", "Spreadsheet::Sheet"]] + + # filter elements + if obj.Filter[i]: - # apply filters - nobjs = [] - for o in objs: - props = [p.upper() for p in o.PropertiesList] - ok = True - for f in obj.Filter[i].split(";"): - args = [a.strip() for a in f.strip().split(":")] - if args[0][0] == "!": - inv = True - prop = args[0][1:].upper() - else: - inv = False - prop = args[0].upper() - fval = args[1].upper() - if prop == "TYPE": - prop = "IFCTYPE" - if inv: - if prop in props: - csprop = o.PropertiesList[props.index(prop)] - if fval in getattr(o,csprop).upper(): - ok = False - else: - if not (prop in props): - ok = False - else: - csprop = o.PropertiesList[props.index(prop)] - if not (fval in getattr(o,csprop).upper()): - ok = False - if ok: - nobjs.append(o) - objs = nobjs + if ifcfile: + elts = self.get_ifc_elements(ifcfile, obj.Filter[i]) + else: + objs = self.apply_filter(objs, obj.Filter[i]) # perform operation: count or retrieve property - if val.upper() == "COUNT": - val = len(objs) - if verbose: - print (val, ",".join([o.Label for o in objs])) - self.data["B"+str(li)] = str(val) - if obj.DetailedResults: - # additional blank line... - li += 1 - self.data["A"+str(li)] = " " - else: - vals = val.split(".") - if vals[0][0].islower(): - # old-style: first member is not a property - vals = vals[1:] - sumval = 0 + if ifcfile: + if elts: + self.update_from_elts(elts, val, unit, details) + elif objs: + self.update_from_objs(objs, val, unit, details) - # get unit - tp = None - unit = None - q = None - if obj.Unit[i]: - unit = obj.Unit[i] - unit = unit.replace("^","") # get rid of existing power symbol - unit = unit.replace("2","^2") - unit = unit.replace("3","^3") - unit = unit.replace("²","^2") - unit = unit.replace("³","^3") - if "2" in unit: - tp = FreeCAD.Units.Area - elif "3" in unit: - tp = FreeCAD.Units.Volume - elif "deg" in unit: - tp = FreeCAD.Units.Angle - else: - tp = FreeCAD.Units.Length - - # format value - dv = params.get_param("Decimals",path="Units") - fs = "{:."+str(dv)+"f}" # format string - for o in objs: - if verbose: - l = o.Name+" ("+o.Label+"):" - print (l+(40-len(l))*" ",end="") - try: - d = o - for v in vals: - d = getattr(d,v) - if hasattr(d,"Value"): - d = d.Value - except Exception: - FreeCAD.Console.PrintWarning(translate("Arch","Unable to retrieve value from object")+": "+o.Name+"."+".".join(vals)+"\n") - else: - if verbose: - if tp and unit: - v = fs.format(FreeCAD.Units.Quantity(d,tp).getValueAs(unit).Value) - print(v,unit) - else: - print(fs.format(d)) - if obj.DetailedResults: - li += 1 - self.data["A"+str(li)] = o.Name+" ("+o.Label+")" - if tp and unit: - q = FreeCAD.Units.Quantity(d,tp) - self.data["B"+str(li)] = str(q.getValueAs(unit).Value) - self.data["C"+str(li)] = unit - else: - self.data["B"+str(li)] = str(d) - - if not sumval: - sumval = d - else: - sumval += d - val = sumval - if tp: - q = FreeCAD.Units.Quantity(val,tp) - - # write data - if obj.DetailedResults: - li += 1 - self.data["A"+str(li)] = "TOTAL" - if q and unit: - self.data["B"+str(li)] = str(q.getValueAs(unit).Value) - self.data["C"+str(li)] = unit - else: - self.data["B"+str(li)] = str(val) - if verbose: - if tp and unit: - v = fs.format(FreeCAD.Units.Quantity(val,tp).getValueAs(unit).Value) - print("TOTAL:"+34*" "+v+" "+unit) - else: - v = fs.format(val) - print("TOTAL:"+34*" "+v) self.setSpreadsheetData(obj) + self.save_ifc_props(obj) + + def apply_filter(self, objs, filters): + """Applies the given filters to the given list of objects""" + + nobjs = [] + for o in objs: + props = [p.upper() for p in o.PropertiesList] + ok = True + for f in filters.split(";"): + args = [a.strip() for a in f.strip().split(":")] + if args[0][0] == "!": + inv = True + prop = args[0][1:].upper() + else: + inv = False + prop = args[0].upper() + fval = args[1].upper() + if prop == "TYPE": + prop = "IFCTYPE" + if inv: + if prop in props: + csprop = o.PropertiesList[props.index(prop)] + if fval in getattr(o,csprop).upper(): + ok = False + else: + if not (prop in props): + ok = False + else: + csprop = o.PropertiesList[props.index(prop)] + if not (fval in getattr(o,csprop).upper()): + ok = False + if ok: + nobjs.append(o) + return nobjs + + def get_ifc_elements(self, ifcfile, filters): + """Retrieves IFC elements corresponding to the given filters""" + + elts = [] + for el in ifcfile.by_type("IfcProduct"): + ok = True + for f in filters.split(";"): + args = [a.strip() for a in f.strip().split(":")] + if args[0][0] == "!": + inv = True + prop = args[0][1:] + else: + inv = False + prop = args[0] + fval = args[1] + if prop.upper() in ["CLASS", "IFCCLASS", "IFCTYPE"]: + prop = "is_a" + if inv: + if prop == "is_a": + if not fval.upper().startswith("IFC"): + fval = "Ifc" + fval + fval = fval.replace(" ","") + if el.is_a(fval): + ok = False + else: + if prop in dir(el): + rval = getattr(el, prop) + if hasattr(rval, "id"): + if fval.startswith("#"): + fval = int(fval[1:]) + if rval == fval: + ok = False + else: + if prop == "is_a": + if not fval.upper().startswith("IFC"): + fval = "Ifc" + fval + fval = fval.replace(" ","") + if not el.is_a(fval): + ok = False + else: + if prop in dir(el): + rval = getattr(el, prop) + if hasattr(rval, "id"): + if fval.startswith("#"): + fval = int(fval[1:]) + if rval != fval: + ok = False + else: + ok = False + if ok: + elts.append(el) + return elts + + def update_from_objs(self, objs, val, unit, details): + """Updates the spreadsheet data from FreeCAD objects""" + + if val.upper() == "COUNT": + val = len(objs) + if VERBOSE: + print (val, ",".join([o.Label for o in objs])) + self.data["B"+str(self.li)] = str(val) + if details: + # additional blank line... + self.li += 1 + self.data["A"+str(self.li)] = " " + else: + vals = val.split(".") + if vals[0][0].islower(): + # old-style: first member is not a property + vals = vals[1:] + sumval = 0 + + # get unit + tp = None + unit = None + q = None + if unit: + unit = unit.replace("^","") # get rid of existing power symbol + unit = unit.replace("2","^2") + unit = unit.replace("3","^3") + unit = unit.replace("²","^2") + unit = unit.replace("³","^3") + if "2" in unit: + tp = FreeCAD.Units.Area + elif "3" in unit: + tp = FreeCAD.Units.Volume + elif "deg" in unit: + tp = FreeCAD.Units.Angle + else: + tp = FreeCAD.Units.Length + + # format value + dv = params.get_param("Decimals",path="Units") + fs = "{:."+str(dv)+"f}" # format string + for o in objs: + if VERBOSE: + l = o.Name+" ("+o.Label+"):" + print (l+(40-len(l))*" ",end="") + try: + d = o + for v in vals: + d = getattr(d,v) + if hasattr(d,"Value"): + d = d.Value + except Exception: + t = translate("Arch","Unable to retrieve value from object") + FreeCAD.Console.PrintWarning(t+": "+o.Name+"."+".".join(vals)+"\n") + else: + if VERBOSE: + if tp and unit: + v = fs.format(FreeCAD.Units.Quantity(d,tp).getValueAs(unit).Value) + print(v,unit) + elif isinstance(d, str): + if d.replace('.', '', 1).isdigit(): + print(fs.format(d)) + else: + print(d) + else: + print(fs.format(d)) + if details: + self.li += 1 + self.data["A"+str(self.li)] = o.Name+" ("+o.Label+")" + if tp and unit: + q = FreeCAD.Units.Quantity(d,tp) + self.data["B"+str(self.li)] = str(q.getValueAs(unit).Value) + self.data["C"+str(self.li)] = unit + else: + self.data["B"+str(self.li)] = str(d) + + if sumval: + sumval += d + else: + sumval = d + val = sumval + if tp: + q = FreeCAD.Units.Quantity(val,tp) + + # write data + if details: + self.li += 1 + self.data["A"+str(self.li)] = "TOTAL" + if q and unit: + self.data["B"+str(self.li)] = str(q.getValueAs(unit).Value) + self.data["C"+str(self.li)] = unit + else: + self.data["B"+str(self.li)] = str(val) + if VERBOSE: + if tp and unit: + v = fs.format(FreeCAD.Units.Quantity(val,tp).getValueAs(unit).Value) + print("TOTAL:"+34*" "+v+" "+unit) + elif isinstance(val, str): + if val.replace('.', '', 1).isdigit(): + v = fs.format(val) + print("TOTAL:"+34*" "+v) + else: + print("TOTAL:"+34*" "+val) + else: + v = fs.format(val) + print("TOTAL:"+34*" "+v) + + def update_from_elts(self, elts, val, unit, details): + """Updates the spreadsheet data from IFC elements""" + + if val.upper() == "COUNT": + val = len(elts) + if VERBOSE: + print ("COUNT:", val, "(", ",".join(["#"+str(e.id()) for e in elts]), ")") + self.data["B"+str(self.li)] = str(val) + if details: + # additional blank line... + self.li += 1 + self.data["A"+str(self.li)] = " " + else: + total = 0 + for el in elts: + if val in dir(el): + elval = getattr(el, val, "") + if isinstance(elval, tuple): + if len(elval) == 1: + elval = elval[0] + elif len(elval) == 0: + elval = "" + if hasattr(elval, "is_a") and elval.is_a("IfcRelationship"): + for att in dir(elval): + if att.startswith("Relating"): + targ = getattr(elval, att) + if targ != el: + elval = targ + break + elif att.startswith("Related"): + if not elval in getattr(elval, att): + elval = str(getattr(elval, att)) + break + if details: + self.li += 1 + name = el.Name if el.Name else "" + self.data["A"+str(self.li)] = "#" + str(el.id()) + name + self.data["B"+str(self.li)] = str(elval) + if VERBOSE: + print("#"+str(el.id())+"."+val+" = "+str(elval)) + if isinstance(elval, str) and elval.replace('.', '', 1).isdigit(): + total += float(elval) + elif isinstance(elval, (int, float)): + total += elval + if total: + if details: + self.li += 1 + self.data["A"+str(self.li)] = "TOTAL" + self.data["B"+str(self.li)] = str(total) + if VERBOSE: + print("TOTAL:",str(total)) + + def create_ifc(self, obj, ifcfile, export=False): + """Creates an IFC element for this object""" + + from nativeifc import ifc_tools # lazy loading + + proj = ifcfile.by_type("IfcProject")[0] + elt = ifc_tools.api_run("root.create_entity", ifcfile, ifc_class="IfcControl") + ifc_tools.set_attribute(ifcfile, elt, "Name", obj.Label) + ifc_tools.api_run("project.assign_declaration", ifcfile, definitions=[elt], relating_context=proj) + if not export: + ifc_tools.add_properties(obj, ifcfile, elt) + return elt + + def save_ifc_props(self, obj, ifcfile=None, elt=None): + """Saves the object data to IFC""" + + from nativeifc import ifc_psets # lazy loading + + ifc_psets.edit_pset(obj, "Operation", "::".join(obj.Operation), ifcfile=ifcfile, element=elt) + ifc_psets.edit_pset(obj, "Value", "::".join(obj.Value), ifcfile=ifcfile, element=elt) + ifc_psets.edit_pset(obj, "Unit", "::".join(obj.Unit), ifcfile=ifcfile, element=elt) + ifc_psets.edit_pset(obj, "Objects", "::".join(obj.Objects), ifcfile=ifcfile, element=elt) + ifc_psets.edit_pset(obj, "Filter", "::".join(obj.Filter), ifcfile=ifcfile, element=elt) + + def export_ifc(self, obj, ifcfile): + """Exports the object to IFC (does not modify the FreeCAD object).""" + + elt = self.create_ifc(obj, ifcfile, export=True) + self.save_ifc_props(obj, ifcfile, elt) + return elt def dumps(self): @@ -417,8 +600,16 @@ class _ViewProviderArchSchedule: return None self.taskd = ArchScheduleTaskPanel(vobj.Object) + if not self.taskd.form.isVisible(): + from PySide import QtCore + QtCore.QTimer.singleShot(100, self.showEditor) return True + def showEditor(self): + + if hasattr(self, "taskd"): + self.taskd.form.show() + def unsetEdit(self, vobj, mode): if mode != 0: return None @@ -507,30 +698,37 @@ class ArchScheduleTaskPanel: h = params.get_param_arch("ScheduleDialogHeight") self.form.resize(w,h) + # restore default states + self.form.checkAutoUpdate.setChecked(PARAMS.GetBool("ScheduleAutoUpdate", False)) + # set delegate - Not using custom delegates for now... #self.form.list.setItemDelegate(ScheduleDelegate()) #self.form.list.setEditTriggers(QtGui.QAbstractItemView.DoubleClicked) # connect slots - QtCore.QObject.connect(self.form.buttonAdd, QtCore.SIGNAL("clicked()"), self.add) - QtCore.QObject.connect(self.form.buttonDel, QtCore.SIGNAL("clicked()"), self.remove) - QtCore.QObject.connect(self.form.buttonClear, QtCore.SIGNAL("clicked()"), self.clear) - QtCore.QObject.connect(self.form.buttonImport, QtCore.SIGNAL("clicked()"), self.importCSV) - QtCore.QObject.connect(self.form.buttonExport, QtCore.SIGNAL("clicked()"), self.export) - QtCore.QObject.connect(self.form.buttonSelect, QtCore.SIGNAL("clicked()"), self.select) - QtCore.QObject.connect(self.form.buttonBox, QtCore.SIGNAL("accepted()"), self.accept) - QtCore.QObject.connect(self.form.buttonBox, QtCore.SIGNAL("rejected()"), self.reject) - QtCore.QObject.connect(self.form, QtCore.SIGNAL("rejected()"), self.reject) + self.form.buttonAdd.clicked.connect(self.add) + self.form.buttonDel.clicked.connect(self.remove) + self.form.buttonClear.clicked.connect(self.clear) + self.form.buttonImport.clicked.connect(self.importCSV) + self.form.buttonExport.clicked.connect(self.export) + self.form.buttonSelect.clicked.connect(self.select) + self.form.buttonBox.accepted.connect(self.accept) + self.form.buttonBox.rejected.connect(self.reject) + self.form.rejected.connect(self.reject) self.form.list.clearContents() if self.obj: - for p in [obj.Value,obj.Unit,obj.Objects,obj.Filter]: - if len(obj.Description) != len(p): - return - self.form.list.setRowCount(len(obj.Description)) + #for p in [obj.Value,obj.Unit,obj.Objects,obj.Filter]: + # if len(obj.Operation) != len(p): + # return + self.form.list.setRowCount(len(obj.Operation)) for i in range(5): - for j in range(len(obj.Description)): - item = QtGui.QTableWidgetItem([obj.Description,obj.Value,obj.Unit,obj.Objects,obj.Filter][i][j]) + for j in range(len(obj.Operation)): + try: + text = [obj.Operation,obj.Value,obj.Unit,obj.Objects,obj.Filter][i][j] + except: + text = "" + item = QtGui.QTableWidgetItem(text) self.form.list.setItem(j,i,item) self.form.lineEditName.setText(self.obj.Label) self.form.checkSpreadsheet.setChecked(self.obj.CreateSpreadsheet) @@ -646,7 +844,7 @@ class ArchScheduleTaskPanel: import csv with open(filename, 'w') as csvfile: csvfile = csv.writer(csvfile,delimiter=delimiter) - csvfile.writerow([translate("Arch","Description"),translate("Arch","Value"),translate("Arch","Unit")]) + csvfile.writerow([translate("Arch","Operation"),translate("Arch","Value"),translate("Arch","Unit")]) if self.obj.DetailedResults: csvfile.writerow(["","",""]) for i in self.getRows(): @@ -664,7 +862,7 @@ class ArchScheduleTaskPanel: """Exports the results as a Markdown file""" with open(filename, 'w') as mdfile: - mdfile.write("| "+translate("Arch","Description")+" | "+translate("Arch","Value")+" | "+translate("Arch","Unit")+" |\n") + mdfile.write("| "+translate("Arch","Operation")+" | "+translate("Arch","Value")+" | "+translate("Arch","Unit")+" |\n") mdfile.write("| --- | --- | --- |\n") if self.obj.DetailedResults: mdfile.write("| | | |\n") @@ -704,6 +902,9 @@ class ArchScheduleTaskPanel: params.set_param_arch("ScheduleDialogWidth",self.form.width()) params.set_param_arch("ScheduleDialogHeight",self.form.height()) + # store default states + PARAMS.SetBool("ScheduleAutoUpdate", self.form.checkAutoUpdate.isChecked()) + # commit values self.writeValues() self.form.hide() @@ -723,13 +924,8 @@ class ArchScheduleTaskPanel: """commits values and recalculate""" if not self.obj: - self.obj = FreeCAD.ActiveDocument.addObject("App::FeaturePython","Schedule") - self.obj.Label = translate("Arch","Schedule") - _ArchSchedule(self.obj) - if FreeCAD.GuiUp: - _ViewProviderArchSchedule(self.obj.ViewObject) - if hasattr(self.obj,"CreateSpreadsheet") and self.obj.CreateSpreadsheet: - self.obj.Proxy.getSpreadSheet(self.obj, force=True) + import Arch + self.obj = Arch.makeSchedule() lists = [ [], [], [], [], [] ] for i in range(self.form.list.rowCount()): for j in range(5): @@ -739,7 +935,7 @@ class ArchScheduleTaskPanel: else: lists[j].append("") FreeCAD.ActiveDocument.openTransaction("Edited Schedule") - self.obj.Description = lists[0] + self.obj.Operation = lists[0] self.obj.Value = lists[1] self.obj.Unit = lists[2] self.obj.Objects = lists[3] diff --git a/src/Mod/BIM/CMakeLists.txt b/src/Mod/BIM/CMakeLists.txt index 1607425e36..b4b13cd9c1 100644 --- a/src/Mod/BIM/CMakeLists.txt +++ b/src/Mod/BIM/CMakeLists.txt @@ -78,6 +78,7 @@ SET(Dice3DS_SRCS SET(Arch_presets Presets/profiles.csv Presets/pset_definitions.csv + Presets/qto_definitions.csv Presets/ifc_products_IFC2X3.json Presets/ifc_products_IFC4.json Presets/ifc_types_IFC2X3.json diff --git a/src/Mod/BIM/Presets/pset_definitions.csv b/src/Mod/BIM/Presets/pset_definitions.csv index 44a5a29147..0a122a6ad5 100644 --- a/src/Mod/BIM/Presets/pset_definitions.csv +++ b/src/Mod/BIM/Presets/pset_definitions.csv @@ -1,85 +1,152 @@ Pset_ActionRequest;RequestSourceLabel;IfcLabel;RequestComments;IfcText -Pset_ActorCommon;NumberOfActors;IfcCountMeasure;Category;IfcLabel;SkillLevel;IfcLabel +Pset_ActorCommon;NumberOfActors;IfcCountMeasure;ActorCategory;IfcLabel;SkillLevel;IfcLabel +Pset_ActuatorPHistory Pset_ActuatorTypeCommon;Reference;IfcIdentifier;ManualOverride;IfcBoolean -Pset_ActuatorTypeElectricActuator;ActuatorInputPower;IfcPowerMeasure +Pset_ActuatorTypeElectricActuator;ActuatorInputPower;IfcPowerMeasure;ControlPulseCurrent;IfcElectricCurrentMeasure Pset_ActuatorTypeHydraulicActuator;InputPressure;IfcPressureMeasure;InputFlowrate;IfcVolumetricFlowRateMeasure Pset_ActuatorTypeLinearActuation;Force;IfcForceMeasure;Stroke;IfcLengthMeasure Pset_ActuatorTypePneumaticActuator;InputPressure;IfcPressureMeasure;InputFlowrate;IfcVolumetricFlowRateMeasure Pset_ActuatorTypeRotationalActuation;Torque;IfcTorqueMeasure;RangeAngle;IfcPlaneAngleMeasure -Pset_AirSideSystemInformation;Name;IfcLabel;Description;IfcLabel;TotalAirflow;IfcVolumetricFlowRateMeasure;EnergyGainTotal;IfcPowerMeasure;AirflowSensible;IfcVolumetricFlowRateMeasure;EnergyGainSensible;IfcPowerMeasure;EnergyLoss;IfcPowerMeasure;LightingDiversity;IfcPositiveRatioMeasure;InfiltrationDiversitySummer;IfcPositiveRatioMeasure;InfiltrationDiversityWinter;IfcPositiveRatioMeasure;ApplianceDiversity;IfcPositiveRatioMeasure;LoadSafetyFactor;IfcPositiveRatioMeasure;HeatingTemperatureDelta;IfcThermodynamicTemperatureMeasure;CoolingTemperatureDelta;IfcThermodynamicTemperatureMeasure;Ventilation;IfcVolumetricFlowRateMeasure;FanPower;IfcPowerMeasure -Pset_AirTerminalBoxTypeCommon;Reference;IfcIdentifier;AirflowRateRange;IfcVolumetricFlowRateMeasure;AirPressureRange;IfcPressureMeasure;NominalAirFlowRate;IfcVolumetricFlowRateMeasure;HasSoundAttenuator;IfcBoolean;HasReturnAir;IfcBoolean;HasFan;IfcBoolean;NominalInletAirPressure;IfcPressureMeasure;NominalDamperDiameter;IfcPositiveLengthMeasure;HousingThickness;IfcLengthMeasure;OperationTemperatureRange;IfcThermodynamicTemperatureMeasure;ReturnAirFractionRange;IfcPositiveRatioMeasure +Pset_Address;Description;IfcText;UserDefinedPurpose;IfcLabel;InternalLocation;IfcLabel;AddressLines;IfcLabel;PostalBox;IfcLabel;Town;IfcLabel;Region;IfcLabel;PostalCode;IfcLabel;Country;IfcLabel;TelephoneNumbers;IfcLabel;FacsimileNumbers;IfcLabel;PagerNumber;IfcLabel;ElectronicMailAddresses;IfcLabel;WWWHomePageURL;IfcURIReference;MessagingIDs;IfcURIReference +Pset_AirSideSystemInformation;Description;IfcText;TotalAirFlow;IfcVolumetricFlowRateMeasure;EnergyGainTotal;IfcPowerMeasure;AirFlowSensible;IfcVolumetricFlowRateMeasure;EnergyGainSensible;IfcPowerMeasure;EnergyLoss;IfcPowerMeasure;InfiltrationDiversitySummer;IfcPositiveRatioMeasure;InfiltrationDiversityWinter;IfcPositiveRatioMeasure;ApplianceDiversity;IfcPositiveRatioMeasure;HeatingTemperatureDelta;IfcThermodynamicTemperatureMeasure;CoolingTemperatureDelta;IfcThermodynamicTemperatureMeasure;Ventilation;IfcVolumetricFlowRateMeasure;FanPower;IfcPowerMeasure +Pset_AirTerminalBoxPHistory +Pset_AirTerminalBoxTypeCommon;Reference;IfcIdentifier;AirFlowRateRange;IfcVolumetricFlowRateMeasure;AirPressureRange;IfcPressureMeasure;NominalAirFlowRate;IfcVolumetricFlowRateMeasure;HasSoundAttenuator;IfcBoolean;HasReturnAir;IfcBoolean;HasFan;IfcBoolean;NominalInletAirPressure;IfcPressureMeasure;NominalDamperDiameter;IfcPositiveLengthMeasure;HousingThickness;IfcLengthMeasure;OperationTemperatureRange;IfcThermodynamicTemperatureMeasure;ReturnAirFractionRange;IfcPositiveRatioMeasure Pset_AirTerminalOccurrence;AirFlowRate;IfcVolumetricFlowRateMeasure Pset_AirTerminalPHistory;InductionRatio;IfcLengthMeasure;CenterlineAirVelocity;IfcLengthMeasure -Pset_AirTerminalTypeCommon;Reference;IfcIdentifier;SlotWidth;IfcPositiveLengthMeasure;SlotLength;IfcPositiveLengthMeasure;NumberOfSlots;IfcInteger;AirFlowrateRange;IfcVolumetricFlowRateMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure;ThrowLength;IfcLengthMeasure;AirDiffusionPerformanceIndex;IfcReal;FinishColor;IfcLabel;CoreSetHorizontal;IfcPlaneAngleMeasure;CoreSetVertical;IfcPlaneAngleMeasure;HasIntegralControl;IfcBoolean;HasSoundAttenuator;IfcBoolean;HasThermalInsulation;IfcBoolean;NeckArea;IfcAreaMeasure;EffectiveArea;IfcAreaMeasure;AirFlowrateVersusFlowControlElement;IfcPositiveRatioMeasure -Pset_AirToAirHeatRecoveryTypeCommon;Reference;IfcIdentifier;HasDefrost;IfcBoolean;OperationalTemperatureRange;IfcThermodynamicTemperatureMeasure;PrimaryAirflowRateRange;IfcVolumetricFlowRateMeasure;SecondaryAirflowRateRange;IfcPressureMeasure -Pset_AlarmTypeCommon;Reference;IfcIdentifier;Condition;IfcLabel +Pset_AirTerminalTypeCommon;Reference;IfcIdentifier;SlotWidth;IfcPositiveLengthMeasure;SlotLength;IfcPositiveLengthMeasure;NumberOfSlots;IfcCountMeasure;AirFlowRateRange;IfcVolumetricFlowRateMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure;ThrowLength;IfcLengthMeasure;AirDiffusionPerformanceIndex;IfcReal;FinishColour;IfcLabel;CoreSetHorizontal;IfcPlaneAngleMeasure;CoreSetVertical;IfcPlaneAngleMeasure;HasIntegralControl;IfcBoolean;HasSoundAttenuator;IfcBoolean;HasThermalInsulation;IfcBoolean;NeckArea;IfcAreaMeasure;EffectiveArea;IfcAreaMeasure;AirFlowrateVersusFlowControlElement;IfcPositiveRatioMeasure +Pset_AirToAirHeatRecoveryPHistory +Pset_AirToAirHeatRecoveryTypeCommon;Reference;IfcIdentifier;HasDefrost;IfcBoolean;OperationalTemperatureRange;IfcThermodynamicTemperatureMeasure;PrimaryAirFlowRateRange;IfcVolumetricFlowRateMeasure;SecondaryAirFlowRateRange;IfcPressureMeasure +Pset_AlarmPHistory +Pset_AlarmTypeCommon;Reference;IfcIdentifier;AlarmCondition;IfcLabel +Pset_AlignmentCantSegmentCommon;CantDeficiency;IfcLengthMeasure;CantEquilibrium;IfcLengthMeasure;StartSmoothingLength;IfcPositiveLengthMeasure;EndSmoothingLength;IfcPositiveLengthMeasure +Pset_AlignmentVerticalSegmentCommon;StartElevation;IfcLengthMeasure;EndElevation;IfcLengthMeasure Pset_AnnotationContourLine;ContourValue;IfcLengthMeasure Pset_AnnotationLineOfSight;SetbackDistance;IfcPositiveLengthMeasure;VisibleAngleLeft;IfcPositivePlaneAngleMeasure;VisibleAngleRight;IfcPositivePlaneAngleMeasure;RoadVisibleDistanceLeft;IfcPositiveLengthMeasure;RoadVisibleDistanceRight;IfcPositiveLengthMeasure Pset_AnnotationSurveyArea;AccuracyQualityObtained;IfcRatioMeasure;AccuracyQualityExpected;IfcRatioMeasure +Pset_Asset;AssetStatus;IfcLabel;AssetUse;IfcLabel +Pset_AudioVisualAppliancePHistory Pset_AudioVisualApplianceTypeAmplifier;AudioAmplification;IfcSoundPowerMeasure;AudioMode;IfcLabel Pset_AudioVisualApplianceTypeCamera;IsOutdoors;IfcBoolean;VideoResolutionWidth;IfcInteger;VideoResolutionHeight;IfcInteger;VideoResolutionMode;IfcLabel;VideoCaptureInterval;IfcTimeMeasure;PanTiltZoomPreset;IfcLabel;PanHorizontal;IfcLengthMeasure;PanVertical;IfcLengthMeasure;TiltHorizontal;IfcPlaneAngleMeasure;TiltVertical;IfcPlaneAngleMeasure;Zoom;IfcPositiveLengthMeasure Pset_AudioVisualApplianceTypeCommon;Reference;IfcIdentifier;MediaSource;IfcLabel;AudioVolume;IfcSoundPowerMeasure Pset_AudioVisualApplianceTypeDisplay;NominalSize;IfcPositiveLengthMeasure;DisplayWidth;IfcPositiveLengthMeasure;DisplayHeight;IfcPositiveLengthMeasure;Brightness;IfcIlluminanceMeasure;ContrastRatio;IfcPositiveRatioMeasure;RefreshRate;IfcFrequencyMeasure;VideoResolutionWidth;IfcInteger;VideoResolutionHeight;IfcInteger;VideoResolutionMode;IfcLabel;VideoScaleMode;IfcLabel;VideoCaptionMode;IfcLabel;AudioMode;IfcLabel Pset_AudioVisualApplianceTypePlayer;PlayerMediaEject;IfcBoolean;PlayerMediaFormat;IfcLabel Pset_AudioVisualApplianceTypeProjector;VideoResolutionWidth;IfcInteger;VideoResolutionHeight;IfcInteger;VideoResolutionMode;IfcLabel;VideoScaleMode;IfcLabel;VideoCaptionMode;IfcLabel +Pset_AudioVisualApplianceTypeRailwayCommunicationTermina Pset_AudioVisualApplianceTypeReceiver;AudioAmplification;IfcRatioMeasure;AudioMode;IfcLabel -Pset_AudioVisualApplianceTypeSpeaker;SpeakerDriverSize;IfcPositiveLengthMeasure;FrequencyResponse;IfcSoundPowerMeasure;Impedance;IfcFrequencyMeasure +Pset_AudioVisualApplianceTypeRecordingEquipment;NumberOfInterfaces;IfcInteger;StorageCapacity;IfcInteger +Pset_AudioVisualApplianceTypeSpeaker;SpeakerDriverSize;IfcPositiveLengthMeasure;FrequencyResponse;IfcSoundPowerMeasure;Impedence;IfcFrequencyMeasure Pset_AudioVisualApplianceTypeTuner;TunerMode;IfcLabel;TunerChannel;IfcLabel;TunerFrequency;IfcFrequencyMeasure +Pset_AxleCountingEquipment;FailureInformation;IfcText;DetectionRange;IfcPositiveLengthMeasure;OperationalTemperatureRange;IfcThermodynamicTemperatureMeasure;NominalWeight;IfcMassMeasure;ImpactParameter;IfcAccelerationMeasure;RatedVoltage;IfcElectricVoltageMeasure;InsulationResistance;IfcElectricResistanceMeasure;AxleCounterResponseTime;IfcTimeMeasure;MaximumVibration;IfcFrequencyMeasure +Pset_BalanceWeightTensionerDesignCriteria;ReferenceDistanceRopeToPulley;IfcPositiveLengthMeasure;ReferenceDistanceTensionerToGround;IfcPositiveLengthMeasure Pset_BeamCommon;Reference;IfcIdentifier;Span;IfcPositiveLengthMeasure;Slope;IfcPlaneAngleMeasure;Roll;IfcPlaneAngleMeasure;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean;FireRating;IfcLabel +Pset_BearingCommon;DisplacementAccommodated;IfcBoolean;RotationAccommodated;IfcBoolean +Pset_BerthCommon;BerthingAngle;IfcPlaneAngleMeasure;BerthingVelocity;IfcLinearVelocityMeasure;AbnormalBerthingFactor;IfcPositiveRatioMeasure +Pset_BoilerPHistory Pset_BoilerTypeCommon;Reference;IfcIdentifier;PressureRating;IfcPressureMeasure;HeatTransferSurfaceArea;IfcAreaMeasure;NominalPartLoadRatio;IfcReal;WaterInletTemperatureRange;IfcThermodynamicTemperatureMeasure;WaterStorageCapacity;IfcVolumeMeasure;IsWaterStorageHeater;IfcBoolean;PartialLoadEfficiencyCurves;IfcNormalisedRatioMeasure;OutletTemperatureRange;IfcThermodynamicTemperatureMeasure;NominalEnergyConsumption;IfcPowerMeasure -Pset_BoilerTypeSteam;MaximumOutletPressure;IfcLabel;NominalEfficiency;IfcNormalisedRatioMeasure;HeatOutput;IfcEnergyMeasure +Pset_BoilerTypeStea;MaximumOutletPressure;IfcLabel;NominalEfficiencyTable;IfcNormalisedRatioMeasure;HeatOutput;IfcEnergyMeasure Pset_BoilerTypeWater;NominalEfficiency;IfcNormalisedRatioMeasure;HeatOutput;IfcEnergyMeasure -Pset_BuildingCommon;Reference;IfcIdentifier;BuildingID;IfcIdentifier;IsPermanentID;IfcBoolean;ConstructionMethod;IfcLabel;FireProtectionClass;IfcLabel;SprinklerProtection;IfcBoolean;SprinklerProtectionAutomatic;IfcBoolean;OccupancyType;IfcLabel;GrossPlannedArea;IfcAreaMeasure;NetPlannedArea;IfcAreaMeasure;NumberOfStoreys;IfcInteger;YearOfConstruction;IfcLabel;YearOfLastRefurbishment;IfcLabel;IsLandmarked;IfcLogical +Pset_BoreholeCommon;CapDepth;IfcPositiveLengthMeasure;CapMaterial;IfcLabel;FillingDepth;IfcPositiveLengthMeasure;FillingMaterial;IfcLabel;GroundwaterDepth;IfcPositiveLengthMeasure;LiningMaterial;IfcLabel;LiningThickness;IfcPositiveLengthMeasure +Pset_BoundedCourseCommon;SpreadingRate;IfcNumericMeasure +Pset_BreakwaterCommon;StructuralStyle;IfcLabel;Elevation;IfcLengthMeasure +Pset_BridgeCommon +Pset_BuildingCommon;Reference;IfcIdentifier;BuildingID;IfcIdentifier;IsPermanentID;IfcBoolean;ConstructionMethod;IfcLabel;FireProtectionClass;IfcLabel;SprinklerProtection;IfcBoolean;SprinklerProtectionAutomatic;IfcBoolean;OccupancyType;IfcLabel;GrossPlannedArea;IfcAreaMeasure;NetPlannedArea;IfcAreaMeasure;NumberOfStoreys;IfcCountMeasure;YearOfConstruction;IfcLabel;YearOfLastRefurbishment;IfcLabel;IsLandmarked;IfcLogical;ElevationOfRefHeight;IfcLengthMeasure;ElevationOfTerrain;IfcLengthMeasure Pset_BuildingElementProxyCommon;Reference;IfcIdentifier;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean;FireRating;IfcLabel -Pset_BuildingElementProxyProvisionForVoid;Shape;IfcLabel;Width;IfcPositiveLengthMeasure;Height;IfcPositiveLengthMeasure;Diameter;IfcPositiveLengthMeasure;Depth;IfcPositiveLengthMeasure;System;IfcLabel -Pset_BuildingStoreyCommon;Reference;IfcIdentifier;EntranceLevel;IfcBoolean;AboveGround;IfcLogical;SprinklerProtection;IfcBoolean;SprinklerProtectionAutomatic;IfcBoolean;LoadBearingCapacity;IfcPlanarForceMeasure;GrossPlannedArea;IfcAreaMeasure;NetPlannedArea;IfcAreaMeasure +Pset_BuildingStoreyCommon;Reference;IfcIdentifier;EntranceLevel;IfcBoolean;AboveGround;IfcLogical;SprinklerProtection;IfcBoolean;SprinklerProtectionAutomatic;IfcBoolean;LoadBearingCapacity;IfcPlanarForceMeasure;GrossPlannedArea;IfcAreaMeasure;NetPlannedArea;IfcAreaMeasure;ElevationOfSSLRelative;IfcLengthMeasure;ElevationOfFFLRelative;IfcLengthMeasure Pset_BuildingSystemCommon;Reference;IfcIdentifier Pset_BuildingUse;MarketCategory;IfcLabel;MarketSubCategory;IfcLabel;PlanningControlStatus;IfcLabel;NarrativeText;IfcText;VacancyRateInCategoryNow;IfcPositiveRatioMeasure;TenureModesAvailableNow;IfcLabel;MarketSubCategoriesAvailableNow;IfcLabel;RentalRatesInCategoryNow;IfcMonetaryMeasure;VacancyRateInCategoryFuture;IfcPositiveRatioMeasure;TenureModesAvailableFuture;IfcLabel;MarketSubCategoriesAvailableFuture;IfcLabel;RentalRatesInCategoryFuture;IfcMonetaryMeasure Pset_BuildingUseAdjacent;MarketCategory;IfcLabel;MarketSubCategory;IfcLabel;PlanningControlStatus;IfcLabel;NarrativeText;IfcText +Pset_BuiltSystemRailwayLine;LineID;IfcIdentifier;IsElectrified;IfcBoolean +Pset_BuiltSystemRailwayTrack;TrackID;IfcIdentifier;TrackNumber;IfcIdentifier Pset_BurnerTypeCommon;Reference;IfcIdentifier Pset_CableCarrierFittingTypeCommon;Reference;IfcIdentifier -Pset_CableCarrierSegmentTypeCableLadderSegment;NominalWidth;IfcPositiveLengthMeasure;NominalHeight;IfcPositiveLengthMeasure;LadderConfiguration;IfcText -Pset_CableCarrierSegmentTypeCableTraySegment;NominalWidth;IfcPositiveLengthMeasure;NominalHeight;IfcPositiveLengthMeasure;HasCover;IfcBoolean -Pset_CableCarrierSegmentTypeCableTrunkingSegment;NominalWidth;IfcPositiveLengthMeasure;NominalHeight;IfcPositiveLengthMeasure;NumberOfCompartments;IfcInteger +Pset_CableCarrierSegmentTypeCableLadderSegment;LadderConfiguration;IfcText +Pset_CableCarrierSegmentTypeCableTraySegment;HasCover;IfcBoolean +Pset_CableCarrierSegmentTypeCableTrunkingSegment;NumberOfCompartments;IfcCountMeasure +Pset_CableCarrierSegmentTypeCatenaryWire;ACResistance;IfcElectricResistanceMeasure;UltimateTensileStrength;IfcForceMeasure;CatenaryWireType;IfcLabel;ThermalExpansionCoefficient;IfcThermalExpansionCoefficientMeasure;CurrentCarryingCapacity;IfcElectricCurrentMeasure;DCResistance;IfcElectricResistanceMeasure;LayRatio;IfcPositiveRatioMeasure;MassPerLength;IfcMassPerLengthMeasure;MechanicalTension;IfcForceMeasure;StrandingMethod;IfcLabel;TensileStrength;IfcPressureMeasure;YoungModulus;IfcModulusOfElasticityMeasure Pset_CableCarrierSegmentTypeCommon;Reference;IfcIdentifier -Pset_CableCarrierSegmentTypeConduitSegment;NominalWidth;IfcPositiveLengthMeasure;NominalHeight;IfcPositiveLengthMeasure;IsRigid;IfcBoolean +Pset_CableCarrierSegmentTypeConduitSegment;NominalWidth;IfcNonNegativeLengthMeasure;NominalHeight;IfcPositiveLengthMeasure;IsRigid;IfcBoolean;NominalDiameter;IfcPositiveLengthMeasure +Pset_CableCarrierSegmentTypeDropper;CurrentCarryingCapacity;IfcElectricCurrentMeasure;TensileStrength;IfcPressureMeasure;IsRigid;IfcBoolean;UltimateTensileStrength;IfcForceMeasure;IsAdjustable;IfcBoolean;IsCurrentCarrying;IfcBoolean;NominalLoad;IfcForceMeasure Pset_CableFittingTypeCommon;Reference;IfcIdentifier -Pset_CableSegmentOccurrence;DesignAmbientTemperature;IfcThermodynamicTemperatureMeasure;UserCorrectionFactor;IfcReal;NumberOfParallelCircuits;IfcInteger;InstallationMethod;IfcLabel;DistanceBetweenParallelCircuits;IfcLengthMeasure;SoilConductivity;IfcThermalConductivityMeasure;CarrierStackNumber;IfcInteger;IsHorizontalCable;IfcBoolean;IsMountedFlatCable;IfcBoolean;CurrentCarryingCapasity;IfcElectricCurrentMeasure;MaximumCableLength;IfcLengthMeasure;PowerLoss;IfcElectricCurrentMeasure -Pset_CableSegmentTypeBusBarSegment;IsHorizontalBusbar;IfcBoolean -Pset_CableSegmentTypeCableSegment;Standard;IfcLabel;NumberOfCores;IfcInteger;OverallDiameter;IfcPositiveLengthMeasure;RatedVoltage;IfcElectricVoltageMeasure;RatedTemperature;IfcThermodynamicTemperatureMeasure;ScreenDiameter;IfcPositiveLengthMeasure;HasProtectiveEarth;IfcBoolean;MaximumOperatingTemperature;IfcThermodynamicTemperatureMeasure;MaximumShortCircuitTemperature;IfcThermodynamicTemperatureMeasure;SpecialConstruction;IfcLabel;Weight;IfcMassMeasure;SelfExtinguishing60332_1;IfcBoolean;SelfExtinguishing60332_3;IfcBoolean;HalogenProof;IfcBoolean;FunctionReliable;IfcBoolean +Pset_CableFittingTypeExit;GroundResistance;IfcElectricResistanceMeasure +Pset_CableFittingTypeFanout;NumberOfTubes;IfcCountMeasure;TubeDiameter;IfcPositiveLengthMeasure +Pset_CableSegmentConnector;ConnectorAColour;IfcLabel;ConnectorBColour;IfcLabel;ConnectorAType;IfcLabel;ConnectorBType;IfcLabel +Pset_CableSegmentOccurenceFiberSegment;InUse;IfcBoolean +Pset_CableSegmentOccurrence;DesignAmbientTemperature;IfcThermodynamicTemperatureMeasure;UserCorrectionFactor;IfcReal;NumberOfParallelCircuits;IfcCountMeasure;InstallationMethod;IfcLabel;DistanceBetweenParallelCircuits;IfcLengthMeasure;SoilConductivity;IfcThermalConductivityMeasure;CarrierStackNumber;IfcInteger;IsHorizontalCable;IfcBoolean;IsMountedFlatCable;IfcBoolean;CurrentCarryingCapacity;IfcElectricCurrentMeasure;MaximumCableLength;IfcLengthMeasure;PowerLoss;IfcPowerMeasure;SequentialCode;IfcLabel +Pset_CableSegmentTypeBusBarSegment;IsHorizontalBusbar;IfcBoolean;NominalCurrent;IfcElectricCurrentMeasure;UltimateTensileStrength;IfcForceMeasure;ACResistance;IfcElectricResistanceMeasure;ThermalExpansionCoefficient;IfcThermalExpansionCoefficientMeasure;CurrentCarryingCapacity;IfcElectricCurrentMeasure;DCResistance;IfcElectricResistanceMeasure;MassPerLength;IfcMassPerLengthMeasure;TensileStrength;IfcPressureMeasure;YoungModulus;IfcModulusOfElasticityMeasure;CrossSectionalArea;IfcAreaMeasure;OverallDiameter;IfcPositiveLengthMeasure;OperationalTemperatureRange;IfcThermodynamicTemperatureMeasure;RatedVoltage;IfcElectricVoltageMeasure +Pset_CableSegmentTypeCableSegment;Standard;IfcLabel;NumberOfCores;IfcCountMeasure;OverallDiameter;IfcPositiveLengthMeasure;RatedTemperature;IfcThermodynamicTemperatureMeasure;ScreenDiameter;IfcPositiveLengthMeasure;HasProtectiveEarth;IfcBoolean;MaximumOperatingTemperature;IfcThermodynamicTemperatureMeasure;MaximumShortCircuitTemperature;IfcThermodynamicTemperatureMeasure;SpecialConstruction;IfcLabel;Weight;IfcMassMeasure;SelfExtinguishing60332_1;IfcBoolean;SelfExtinguishing60332_3;IfcBoolean;HalogenProof;IfcBoolean;FunctionReliable;IfcBoolean;ACResistance;IfcElectricResistanceMeasure;CurrentCarryingCapacity;IfcElectricCurrentMeasure;DCResistance;IfcElectricResistanceMeasure;MassPerLength;IfcMassPerLengthMeasure;MaximumCurrent;IfcElectricCurrentMeasure;MaximumBendingRadius;IfcPositiveLengthMeasure;NumberOfWires;IfcCountMeasure;InsulationVoltage;IfcElectricVoltageMeasure;RatedVoltage;IfcElectricVoltageMeasure Pset_CableSegmentTypeCommon;Reference;IfcIdentifier -Pset_CableSegmentTypeConductorSegment;CrossSectionalArea;IfcAreaMeasure -Pset_CableSegmentTypeCoreSegment;OverallDiameter;IfcPositiveLengthMeasure;RatedVoltage;IfcElectricVoltageMeasure;RatedTemperature;IfcThermodynamicTemperatureMeasure;ScreenDiameter;IfcPositiveLengthMeasure;CoreIdentifier;IfcIdentifier;Weight;IfcMassMeasure;SelfExtinguishing60332_1;IfcBoolean;SelfExtinguishing60332_3;IfcBoolean;HalogenProof;IfcBoolean;FunctionReliable;IfcBoolean;Standard;IfcLabel -Pset_ChillerTypeCommon;Reference;IfcIdentifier;NominalCapacity;IfcPowerMeasure;NominalEfficiency;IfcPositiveRatioMeasure;NominalCondensingTemperature;IfcThermodynamicTemperatureMeasure;NominalEvaporatingTemperature;IfcThermodynamicTemperatureMeasure;NominalHeatRejectionRate;IfcPowerMeasure;NominalPowerConsumption;IfcPowerMeasure;CapacityCurve;IfcPowerMeasure;CoefficientOfPerformanceCurve;IfcReal;FullLoadRatioCurve;IfcNormalisedRatioMeasure +Pset_CableSegmentTypeConductorSegment;CrossSectionalArea;IfcAreaMeasure;NominalCurrent;IfcElectricCurrentMeasure;ACResistance;IfcElectricResistanceMeasure;ThermalExpansionCoefficient;IfcThermalExpansionCoefficientMeasure;CurrentCarryingCapacity;IfcElectricCurrentMeasure;UltimateTensileStrength;IfcForceMeasure;MassPerLength;IfcMassPerLengthMeasure;TensileStrength;IfcPressureMeasure;YoungModulus;IfcModulusOfElasticityMeasure;DCResistance;IfcElectricResistanceMeasure;OverallDiameter;IfcPositiveLengthMeasure;NumberOfCores;IfcCountMeasure;RatedVoltage;IfcElectricVoltageMeasure +Pset_CableSegmentTypeContactWire;ACResistance;IfcElectricResistanceMeasure;ThermalExpansionCoefficient;IfcThermalExpansionCoefficientMeasure;CurrentCarryingCapacity;IfcElectricCurrentMeasure;DCResistance;IfcElectricResistanceMeasure;MassPerLength;IfcMassPerLengthMeasure;YoungModulus;IfcModulusOfElasticityMeasure;CrossSectionalArea;IfcAreaMeasure;TorsionalStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure +Pset_CableSegmentTypeCoreSegment;OverallDiameter;IfcPositiveLengthMeasure;RatedVoltage;IfcElectricVoltageMeasure;RatedTemperature;IfcThermodynamicTemperatureMeasure;ScreenDiameter;IfcPositiveLengthMeasure;CoreIdentifier;IfcIdentifier;Weight;IfcMassMeasure;UltimateTensileStrength;IfcForceMeasure;SelfExtinguishing60332_1;IfcBoolean;SelfExtinguishing60332_3;IfcBoolean;HalogenProof;IfcBoolean;FunctionReliable;IfcBoolean;Standard;IfcLabel;ThermalExpansionCoefficient;IfcThermalExpansionCoefficientMeasure;CurrentCarryingCapacity;IfcElectricCurrentMeasure;DCResistance;IfcElectricResistanceMeasure;LayRatio;IfcPositiveRatioMeasure;MassPerLength;IfcMassPerLengthMeasure;TensileStrength;IfcPressureMeasure;YoungModulus;IfcModulusOfElasticityMeasure;ACResistance;IfcElectricResistanceMeasure;StrandingMethod;IfcLabel +Pset_CableSegmentTypeEarthingConductor;ResistanceToGround;IfcElectricResistanceMeasure +Pset_CableSegmentTypeFiberSegment;HasTightJacket;IfcBoolean +Pset_CableSegmentTypeFiberTubeSegment;NumberOfFibers;IfcCountMeasure +Pset_CableSegmentTypeOpticalCableSegment;NumberOfFibers;IfcCountMeasure;NumberOfMultiModeFibers;IfcCountMeasure;NumberOfSingleModeFibers;IfcCountMeasure;NumberOfTubes;IfcCountMeasure +Pset_CableSegmentTypeStitchWire;NominalLength;IfcNonNegativeLengthMeasure;MechanicalTension;IfcForceMeasure;UltimateTensileStrength;IfcForceMeasure;TensileStrength;IfcPressureMeasure +Pset_CableSegmentTypeWirePairSegment;CharacteristicImpedance;IfcElectricResistanceMeasure;ConductorDiameter;IfcPositiveLengthMeasure;CoreConductorDiameter;IfcPositiveLengthMeasure;JacketColour;IfcLabel;ShieldConductorDiameter;IfcPositiveLengthMeasure +Pset_CargoCommon +Pset_CessBetweenRails;LoadCapacity;IfcForceMeasure +Pset_ChillerPHistory +Pset_ChillerTypeCommon;Reference;IfcIdentifier;ChillerCapacity;IfcPowerMeasure;NominalEfficiency;IfcPositiveRatioMeasure;NominalCondensingTemperature;IfcThermodynamicTemperatureMeasure;NominalEvaporatingTemperature;IfcThermodynamicTemperatureMeasure;NominalHeatRejectionRate;IfcPowerMeasure;NominalPowerConsumption;IfcPowerMeasure;CapacityCurve;IfcPowerMeasure;CoefficientOfPerformanceCurve;IfcReal;FullLoadRatioCurve;IfcNormalisedRatioMeasure Pset_ChimneyCommon;Reference;IfcIdentifier;NumberOfDrafts;IfcCountMeasure;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean;FireRating;IfcLabel Pset_CivilElementCommon;Reference;IfcIdentifier +Pset_CoaxialCable;CharacteristicImpedance;IfcElectricResistanceMeasure;CouplingLoss;IfcNormalisedRatioMeasure;MaximumTransmissionAttenuation;IfcSoundPowerLevelMeasure;NumberOfCoaxialPairs;IfcCountMeasure;PropagationSpeedCoefficient;IfcRatioMeasure;TransmissionLoss;IfcNormalisedRatioMeasure;RadiantFrequency;IfcFrequencyMeasure Pset_CoilOccurrence;HasSoundAttenuation;IfcBoolean -Pset_CoilTypeCommon;Reference;IfcIdentifier;OperationalTemperatureRange;IfcThermodynamicTemperatureMeasure;AirflowRateRange;IfcVolumetricFlowRateMeasure;NominalSensibleCapacity;IfcPowerMeasure;NominalLatentCapacity;IfcPowerMeasure;NominalUA;IfcReal +Pset_CoilPHistory +Pset_CoilTypeCommon;Reference;IfcIdentifier;OperationalTemperatureRange;IfcThermodynamicTemperatureMeasure;AirFlowRateRange;IfcVolumetricFlowRateMeasure;NominalSensibleCapacity;IfcPowerMeasure;NominalLatentCapacity;IfcPowerMeasure;NominalUA;IfcReal Pset_CoilTypeHydronic;FluidPressureRange;IfcPressureMeasure;CoilFaceArea;IfcAreaMeasure;HeatExchangeSurfaceArea;IfcAreaMeasure;PrimarySurfaceArea;IfcAreaMeasure;SecondarySurfaceArea;IfcAreaMeasure;TotalUACurves;IfcVolumetricFlowRateMeasure;WaterPressureDropCurve;IfcPressureMeasure;BypassFactor;IfcNormalisedRatioMeasure;SensibleHeatRatio;IfcNormalisedRatioMeasure;WetCoilFraction;IfcNormalisedRatioMeasure Pset_ColumnCommon;Reference;IfcIdentifier;Slope;IfcPlaneAngleMeasure;Roll;IfcPlaneAngleMeasure;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean;FireRating;IfcLabel +Pset_CommunicationsAppliancePHistory +Pset_CommunicationsApplianceTypeAntenna;AntennaGain;IfcRatioMeasure +Pset_CommunicationsApplianceTypeAutomaton Pset_CommunicationsApplianceTypeCommon;Reference;IfcIdentifier +Pset_CommunicationsApplianceTypeComputer;StorageCapacity;IfcInteger +Pset_CommunicationsApplianceTypeGateway;NumberOfInterfaces;IfcInteger +Pset_CommunicationsApplianceTypeIntelligentPeriphera;UserCapacity;IfcInteger +Pset_CommunicationsApplianceTypeIpNetworkEquipment;NumberOfSlots;IfcCountMeasure;EquipmentCapacity;IfcIntegerCountRateMeasure;NumberOfCoolingFans;IfcCountMeasure;SupportedProtocol;IfcLabel;ManagingSoftware;IfcLabel;NumberOfInterfaces;IfcInteger +Pset_CommunicationsApplianceTypeMode;NumberOfCommonInterfaces;IfcInteger;NumberOfTrafficInterfaces;IfcInteger +Pset_CommunicationsApplianceTypeOpticalLineTermina;NumberOfSlots;IfcCountMeasure;NumberOfInterfaces;IfcInteger +Pset_CommunicationsApplianceTypeOpticalNetworkUnit;NumberOfInterfaces;IfcInteger +Pset_CommunicationsApplianceTypeTelecommand;NumberOfWorkstations;IfcInteger;NumberOfCPUs;IfcCountMeasure +Pset_CommunicationsApplianceTypeTelephonyExchange;UserCapacity;IfcInteger +Pset_CommunicationsApplianceTypeTransportEquipment;IsUpgradable;IfcBoolean;ElectricalCrossCapacity;IfcLabel;NumberOfSlots;IfcCountMeasure +Pset_CompressorPHistory Pset_CompressorTypeCommon;Reference;IfcIdentifier;MinimumPartLoadRatio;IfcPositiveRatioMeasure;MaximumPartLoadRatio;IfcPositiveRatioMeasure;CompressorSpeed;IfcRotationalFrequencyMeasure;NominalCapacity;IfcPowerMeasure;IdealCapacity;IfcPowerMeasure;IdealShaftPower;IfcPowerMeasure;HasHotGasBypass;IfcBoolean;ImpellerDiameter;IfcPositiveLengthMeasure -Pset_ConcreteElementGeneral;ConstructionMethod;IfcLabel;StructuralClass;IfcLabel;StrengthClass;IfcLabel;ExposureClass;IfcLabel;ReinforcementVolumeRatio;IfcMassDensityMeasure;ReinforcementAreaRatio;IfcAreaDensityMeasure;DimensionalAccuracyClass;IfcLabel;ConstructionToleranceClass;IfcLabel;ConcreteCover;IfcPositiveLengthMeasure;ConcreteCoverAtMainBars;IfcPositiveLengthMeasure;ConcreteCoverAtLinks;IfcPositiveLengthMeasure;ReinforcementStrengthClass;IfcLabel +Pset_ConcreteElementGenera;StructuralClass;IfcLabel;StrengthClass;IfcLabel;ExposureClass;IfcLabel;ReinforcementVolumeRatio;IfcMassDensityMeasure;ReinforcementAreaRatio;IfcAreaDensityMeasure;DimensionalAccuracyClass;IfcLabel;ConstructionToleranceClass;IfcLabel;ConcreteCover;IfcPositiveLengthMeasure;ConcreteCoverAtMainBars;IfcPositiveLengthMeasure;ConcreteCoverAtLinks;IfcPositiveLengthMeasure;ReinforcementStrengthClass;IfcLabel +Pset_CondenserPHistory Pset_CondenserTypeCommon;Reference;IfcIdentifier;ExternalSurfaceArea;IfcAreaMeasure;InternalSurfaceArea;IfcAreaMeasure;InternalRefrigerantVolume;IfcVolumeMeasure;InternalWaterVolume;IfcVolumeMeasure;NominalHeatTransferArea;IfcAreaMeasure;NominalHeatTransferCoefficient;IfcThermalTransmittanceMeasure -Pset_Condition;AssessmentDate;IfcDate;AssessmentCondition;IfcLabel;AssessmentDescription;IfcText +Pset_Condition;AssessmentDate;IfcDate;AssessmentCondition;IfcLabel;AssessmentDescription;IfcText;AssessmentType;IfcLabel;LastAssessmentReport;IfcLabel;NextAssessmentDate;IfcDate;AssessmentFrequency;IfcTimeMeasure +Pset_ConstructionAdministration;ProcurementMethod;IfcLabel;SpecificationSectionNumber;IfcLabel;SubmittalIdentifer;IfcLabel +Pset_ConstructionOccurence;InstallationDate;IfcDate;ModelNumber;IfcLabel;TagNumber;IfcLabel;AssetIdentifier;IfcLabel +Pset_ConstructionResource +Pset_ControllerPHistory Pset_ControllerTypeCommon;Reference;IfcIdentifier Pset_ControllerTypeFloating;Labels;IfcLabel;Range;IfcReal;Value;IfcReal;SignalOffset;IfcReal;SignalFactor;IfcReal;SignalTime;IfcTimeMeasure -Pset_ControllerTypeMultiPosition;Labels;IfcLabel;Range;IfcInteger;Value;IfcInteger +Pset_ControllerTypeMultiPosition;Labels;IfcLabel;IntegerRange;IfcInteger;Value;IfcInteger Pset_ControllerTypeProgrammable;FirmwareVersion;IfcLabel;SoftwareVersion;IfcLabel -Pset_ControllerTypeProportional;Labels;IfcLabel;Range;IfcReal;Value;IfcReal;ProportionalConstant;IfcReal;IntegralConstant;IfcReal;DerivativeConstant;IfcReal;SignalTimeIncrease;IfcTimeMeasure;SignalTimeDecrease;IfcTimeMeasure +Pset_ControllerTypeProportiona;Labels;IfcLabel;Range;IfcReal;Value;IfcReal;ProportionalConstant;IfcReal;IntegralConstant;IfcReal;DerivativeConstant;IfcReal;SignalTimeIncrease;IfcTimeMeasure;SignalTimeDecrease;IfcTimeMeasure Pset_ControllerTypeTwoPosition;Labels;IfcLabel;Polarity;IfcBoolean;Value;IfcBoolean -Pset_CooledBeamTypeActive;AirflowRateRange;IfcVolumetricFlowRateMeasure;ConnectionSize;IfcLengthMeasure -Pset_CooledBeamTypeCommon;Reference;IfcIdentifier;IsFreeHanging;IfcBoolean;WaterPressureRange;IfcPressureMeasure;NominalCoolingCapacity;IfcPowerMeasure;NominalSurroundingTemperatureCooling;IfcThermodynamicTemperatureMeasure;NominalSurroundingHumidityCooling;IfcNormalisedRatioMeasure;NominalSupplyWaterTemperatureCooling;IfcThermodynamicTemperatureMeasure;NominalReturnWaterTemperatureCooling;IfcThermodynamicTemperatureMeasure;NominalWaterFlowCooling;IfcVolumetricFlowRateMeasure;NominalHeatingCapacity;IfcPowerMeasure;NominalSurroundingTemperatureHeating;IfcThermodynamicTemperatureMeasure;NominalSupplyWaterTemperatureHeating;IfcThermodynamicTemperatureMeasure;NominalReturnWaterTemperatureHeating;IfcThermodynamicTemperatureMeasure;NominalWaterFlowHeating;IfcVolumetricFlowRateMeasure;FinishColor;IfcLabel;CoilLength;IfcPositiveLengthMeasure;CoilWidth;IfcPositiveLengthMeasure -Pset_CoolingTowerTypeCommon;Reference;IfcIdentifier;NominalCapacity;IfcPowerMeasure;NumberOfCells;IfcInteger;BasinReserveVolume;IfcVolumeMeasure;LiftElevationDifference;IfcPositiveLengthMeasure;WaterRequirement;IfcVolumetricFlowRateMeasure;OperationTemperatureRange;IfcThermodynamicTemperatureMeasure;AmbientDesignDryBulbTemperature;IfcThermodynamicTemperatureMeasure;AmbientDesignWetBulbTemperature;IfcThermodynamicTemperatureMeasure -Pset_CoveringCeiling;Permeability;IfcNormalisedRatioMeasure;TileLength;IfcPositiveLengthMeasure;TileWidth;IfcPositiveLengthMeasure +Pset_CooledBeamPHistory +Pset_CooledBeamPHistoryActive +Pset_CooledBeamTypeActive;AirFlowRateRange;IfcVolumetricFlowRateMeasure;ConnectionSize;IfcPositiveLengthMeasure +Pset_CooledBeamTypeCommon;Reference;IfcIdentifier;IsFreeHanging;IfcBoolean;WaterPressureRange;IfcPressureMeasure;NominalCoolingCapacity;IfcPowerMeasure;NominalSurroundingTemperatureCooling;IfcThermodynamicTemperatureMeasure;NominalSurroundingHumidityCooling;IfcNormalisedRatioMeasure;NominalSupplyWaterTemperatureCooling;IfcThermodynamicTemperatureMeasure;NominalReturnWaterTemperatureCooling;IfcThermodynamicTemperatureMeasure;NominalWaterFlowCooling;IfcVolumetricFlowRateMeasure;NominalHeatingCapacity;IfcPowerMeasure;NominalSurroundingTemperatureHeating;IfcThermodynamicTemperatureMeasure;NominalSupplyWaterTemperatureHeating;IfcThermodynamicTemperatureMeasure;NominalReturnWaterTemperatureHeating;IfcThermodynamicTemperatureMeasure;NominalWaterFlowHeating;IfcVolumetricFlowRateMeasure;FinishColour;IfcLabel;CoilLength;IfcPositiveLengthMeasure;CoilWidth;IfcPositiveLengthMeasure +Pset_CoolingTowerPHistory +Pset_CoolingTowerTypeCommon;Reference;IfcIdentifier;NominalCapacity;IfcPowerMeasure;NumberOfCells;IfcCountMeasure;BasinReserveVolume;IfcVolumeMeasure;LiftElevationDifference;IfcPositiveLengthMeasure;WaterRequirement;IfcVolumetricFlowRateMeasure;OperationTemperatureRange;IfcThermodynamicTemperatureMeasure;AmbientDesignDryBulbTemperature;IfcThermodynamicTemperatureMeasure;AmbientDesignWetBulbTemperature;IfcThermodynamicTemperatureMeasure +Pset_CourseApplicationConditions;ApplicationTemperature;IfcThermodynamicTemperatureMeasure;WeatherConditions;IfcText +Pset_CourseCommon;NominalLength;IfcNonNegativeLengthMeasure;NominalThickness;IfcNonNegativeLengthMeasure;NominalWidth;IfcNonNegativeLengthMeasure Pset_CoveringCommon;Reference;IfcIdentifier;AcousticRating;IfcLabel;FlammabilityRating;IfcLabel;FragilityRating;IfcLabel;Combustible;IfcBoolean;SurfaceSpreadOfFlame;IfcLabel;Finish;IfcText;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;FireRating;IfcLabel Pset_CoveringFlooring;HasNonSkidSurface;IfcBoolean;HasAntiStaticSurface;IfcBoolean +Pset_CoveringTypeMembrane;NominalInstallationDepth;IfcPositiveLengthMeasure;NominalTransverseInclination;IfcPlaneAngleMeasure +Pset_CurrentInstrumentTransformer;AccuracyClass;IfcRatioMeasure;AccuracyGrade;IfcLabel;RatedVoltage;IfcElectricVoltageMeasure;NominalCurrent;IfcElectricCurrentMeasure;NominalPower;IfcPowerMeasure;NumberOfPhases;IfcCountMeasure;PrimaryFrequency;IfcFrequencyMeasure;PrimaryCurrent;IfcElectricCurrentMeasure;SecondaryFrequency;IfcFrequencyMeasure;SecondaryCurrent;IfcElectricCurrentMeasure Pset_CurtainWallCommon;Reference;IfcIdentifier;AcousticRating;IfcLabel;FireRating;IfcLabel;Combustible;IfcBoolean;SurfaceSpreadOfFlame;IfcLabel;ThermalTransmittance;IfcThermalTransmittanceMeasure;IsExternal;IfcBoolean +Pset_DamperOccurrence +Pset_DamperPHistory Pset_DamperTypeCommon;Reference;IfcIdentifier;BladeThickness;IfcPositiveLengthMeasure;NumberofBlades;IfcInteger;FaceArea;IfcAreaMeasure;MaximumAirFlowRate;IfcVolumetricFlowRateMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure;MaximumWorkingPressure;IfcPressureMeasure;TemperatureRating;IfcThermodynamicTemperatureMeasure;NominalAirFlowRate;IfcVolumetricFlowRateMeasure;OpenPressureDrop;IfcPressureMeasure;LeakageFullyClosed;IfcVolumetricFlowRateMeasure;LossCoefficentCurve;IfcReal;LeakageCurve;IfcPressureMeasure;RegeneratedSoundCurve;IfcSoundPressureMeasure;FrameType;IfcLabel;FrameDepth;IfcPositiveLengthMeasure;FrameThickness;IfcPositiveLengthMeasure;CloseOffRating;IfcPressureMeasure Pset_DamperTypeControlDamper;TorqueRange;IfcTorqueMeasure Pset_DamperTypeFireDamper;FireResistanceRating;IfcLabel;FusibleLinkTemperature;IfcThermodynamicTemperatureMeasure -Pset_DamperTypeFireSmokeDamper;ControlType;IfcLabel;FireResistanceRating;IfcLabel;FusibleLinkTemperature;IfcThermodynamicTemperatureMeasure +Pset_DamperTypeFireSmokeDamper;DamperControlType;IfcLabel;FireResistanceRating;IfcLabel;FusibleLinkTemperature;IfcThermodynamicTemperatureMeasure Pset_DamperTypeSmokeDamper;ControlType;IfcLabel +Pset_DataTransmissionUnit;WorkingState;IfcLabel Pset_DiscreteAccessoryColumnShoe;ColumnShoeBasePlateThickness;IfcPositiveLengthMeasure;ColumnShoeBasePlateWidth;IfcPositiveLengthMeasure;ColumnShoeBasePlateDepth;IfcPositiveLengthMeasure;ColumnShoeCasingHeight;IfcPositiveLengthMeasure;ColumnShoeCasingWidth;IfcPositiveLengthMeasure;ColumnShoeCasingDepth;IfcPositiveLengthMeasure Pset_DiscreteAccessoryCornerFixingPlate;CornerFixingPlateLength;IfcPositiveLengthMeasure;CornerFixingPlateThickness;IfcPositiveLengthMeasure;CornerFixingPlateFlangeWidthInPlaneZ;IfcPositiveLengthMeasure;CornerFixingPlateFlangeWidthInPlaneX;IfcPositiveLengthMeasure Pset_DiscreteAccessoryDiagonalTrussConnector;DiagonalTrussHeight;IfcPositiveLengthMeasure;DiagonalTrussLength;IfcPositiveLengthMeasure;DiagonalTrussCrossBarSpacing;IfcPositiveLengthMeasure;DiagonalTrussBaseBarDiameter;IfcPositiveLengthMeasure;DiagonalTrussSecondaryBarDiameter;IfcPositiveLengthMeasure;DiagonalTrussCrossBarDiameter;IfcPositiveLengthMeasure @@ -87,128 +154,256 @@ Pset_DiscreteAccessoryEdgeFixingPlate;EdgeFixingPlateLength;IfcPositiveLengthMea Pset_DiscreteAccessoryFixingSocket;FixingSocketHeight;IfcPositiveLengthMeasure;FixingSocketThreadDiameter;IfcPositiveLengthMeasure;FixingSocketThreadLength;IfcPositiveLengthMeasure Pset_DiscreteAccessoryLadderTrussConnector;LadderTrussHeight;IfcPositiveLengthMeasure;LadderTrussLength;IfcPositiveLengthMeasure;LadderTrussCrossBarSpacing;IfcPositiveLengthMeasure;LadderTrussBaseBarDiameter;IfcPositiveLengthMeasure;LadderTrussSecondaryBarDiameter;IfcPositiveLengthMeasure;LadderTrussCrossBarDiameter;IfcPositiveLengthMeasure Pset_DiscreteAccessoryStandardFixingPlate;StandardFixingPlateWidth;IfcPositiveLengthMeasure;StandardFixingPlateDepth;IfcPositiveLengthMeasure;StandardFixingPlateThickness;IfcPositiveLengthMeasure +Pset_DiscreteAccessoryTypeBracket;IsInsulated;IfcBoolean +Pset_DiscreteAccessoryTypeCableArranger +Pset_DiscreteAccessoryTypeInsulator;RatedCurrent;IfcElectricCurrentMeasure;RatedVoltage;IfcElectricVoltageMeasure;InsulationVoltage;IfcElectricVoltageMeasure;BreakdownVoltageTolerance;IfcElectricVoltageMeasure;OperationalTemperatureRange;IfcThermodynamicTemperatureMeasure;CreepageDistance;IfcPositiveLengthMeasure;InstallationMethod;IfcLabel;LightningPeakVoltage;IfcElectricVoltageMeasure;BendingStrength;IfcPressureMeasure;RMSWithstandVoltage;IfcElectricVoltageMeasure;Voltage;IfcElectricVoltageMeasure +Pset_DiscreteAccessoryTypeLock;RequiredClosureSpacing;IfcPositiveLengthMeasure +Pset_DiscreteAccessoryTypeRailBrace;IsTemporary;IfcBoolean +Pset_DiscreteAccessoryTypeRailLubrication;MaximumNoiseEmissions;IfcSoundPowerLevelMeasure +Pset_DiscreteAccessoryTypeRailPad +Pset_DiscreteAccessoryTypeSlidingChair;IsSelfLubricated;IfcBoolean +Pset_DiscreteAccessoryTypeSoundAbsorption;SoundAbsorptionLimit;IfcSoundPowerLevelMeasure +Pset_DiscreteAccessoryTypeTensioningEquipment;ReferenceEnvironmentTemperature;IfcThermodynamicTemperatureMeasure;HasBreakLineLock;IfcBoolean;TensileStrength;IfcPressureMeasure;RatioOfWireTension;IfcPositiveRatioMeasure;TransmissionEfficiency;IfcRatioMeasure Pset_DiscreteAccessoryWireLoop;WireLoopBasePlateThickness;IfcPositiveLengthMeasure;WireLoopBasePlateWidth;IfcPositiveLengthMeasure;WireLoopBasePlateLength;IfcPositiveLengthMeasure;WireDiameter;IfcPositiveLengthMeasure;WireEmbeddingLength;IfcPositiveLengthMeasure;WireLoopLength;IfcPositiveLengthMeasure +Pset_DistributionBoardOccurrence;IsMain;IfcBoolean;IsSkilledOperator;IfcBoolean +Pset_DistributionBoardTypeCommon;Reference;IfcIdentifier +Pset_DistributionBoardTypeDispatchingBoard;NumberOfInterfaces;IfcInteger +Pset_DistributionBoardTypeDistributionFrame;PortCapacity;IfcInteger Pset_DistributionChamberElementCommon;Reference;IfcIdentifier -Pset_DistributionChamberElementTypeFormedDuct;ClearWidth;IfcPositiveLengthMeasure;ClearDepth;IfcPositiveLengthMeasure;WallThickness;IfcPositiveLengthMeasure;BaseThickness;IfcPositiveLengthMeasure;AccessCoverLoadRating;IfcText -Pset_DistributionChamberElementTypeInspectionChamber;ChamberLengthOrRadius;IfcPositiveLengthMeasure;ChamberWidth;IfcPositiveLengthMeasure;InvertLevel;IfcLengthMeasure;SoffitLevel;IfcLengthMeasure;WallThickness;IfcPositiveLengthMeasure;BaseThickness;IfcPositiveLengthMeasure;WithBackdrop;IfcBoolean;AccessLengthOrRadius;IfcPositiveLengthMeasure;AccessWidth;IfcPositiveLengthMeasure;AccessCoverLoadRating;IfcText +Pset_DistributionChamberElementTypeFormedDuct;ClearWidth;IfcPositiveLengthMeasure;ClearDepth;IfcPositiveLengthMeasure;WallThickness;IfcPositiveLengthMeasure;BaseThickness;IfcPositiveLengthMeasure;AccessCoverLoadRating;IfcText;CableDuctOccupancyRatio;IfcNormalisedRatioMeasure +Pset_DistributionChamberElementTypeInspectionChamber;ChamberLengthOrRadius;IfcPositiveLengthMeasure;ChamberWidth;IfcPositiveLengthMeasure;InspectionChamberInvertLevel;IfcLengthMeasure;SoffitLevel;IfcLengthMeasure;WallThickness;IfcPositiveLengthMeasure;BaseThickness;IfcPositiveLengthMeasure;WithBackdrop;IfcBoolean;AccessLengthOrRadius;IfcPositiveLengthMeasure;AccessWidth;IfcPositiveLengthMeasure;AccessCoverLoadRating;IfcText Pset_DistributionChamberElementTypeInspectionPit;Length;IfcPositiveLengthMeasure;Width;IfcPositiveLengthMeasure;Depth;IfcPositiveLengthMeasure -Pset_DistributionChamberElementTypeManhole;InvertLevel;IfcLengthMeasure;SoffitLevel;IfcLengthMeasure;WallThickness;IfcPositiveLengthMeasure;BaseThickness;IfcPositiveLengthMeasure;IsShallow;IfcBoolean;HasSteps;IfcBoolean;WithBackdrop;IfcBoolean;AccessLengthOrRadius;IfcPositiveLengthMeasure;AccessWidth;IfcPositiveLengthMeasure;AccessCoverLoadRating;IfcText +Pset_DistributionChamberElementTypeManhole;InvertLevel;IfcLengthMeasure;SoffitLevel;IfcLengthMeasure;WallThickness;IfcPositiveLengthMeasure;BaseThickness;IfcPositiveLengthMeasure;IsShallow;IfcBoolean;HasSteps;IfcBoolean;WithBackdrop;IfcBoolean;AccessLengthOrRadius;IfcPositiveLengthMeasure;AccessWidth;IfcPositiveLengthMeasure;AccessCoverLoadRating;IfcText;IsAccessibleOnFoot;IfcBoolean;IsLocked;IfcBoolean;NumberOfCableEntries;IfcCountMeasure;NumberOfManholeCovers;IfcCountMeasure Pset_DistributionChamberElementTypeMeterChamber;ChamberLengthOrRadius;IfcPositiveLengthMeasure;ChamberWidth;IfcPositiveLengthMeasure;WallThickness;IfcPositiveLengthMeasure;BaseThickness;IfcPositiveLengthMeasure -Pset_DistributionChamberElementTypeSump;Length;IfcPositiveLengthMeasure;Width;IfcPositiveLengthMeasure;InvertLevel;IfcPositiveLengthMeasure +Pset_DistributionChamberElementTypeSump;Length;IfcPositiveLengthMeasure;Width;IfcPositiveLengthMeasure;SumpInvertLevel;IfcPositiveLengthMeasure Pset_DistributionChamberElementTypeTrench;Width;IfcPositiveLengthMeasure;Depth;IfcPositiveLengthMeasure;InvertLevel;IfcLengthMeasure Pset_DistributionChamberElementTypeValveChamber;ChamberLengthOrRadius;IfcPositiveLengthMeasure;ChamberWidth;IfcPositiveLengthMeasure;WallThickness;IfcPositiveLengthMeasure;BaseThickness;IfcPositiveLengthMeasure -Pset_DistributionPortCommon;PortNumber;IfcInteger;ColorCode;IfcLabel -Pset_DistributionPortTypeCable;ConnectionSubtype;IfcLabel;CurrentContent3rdHarmonic;IfcPositiveRatioMeasure;Current;IfcElectricCurrentMeasure;Voltage;IfcElectricVoltageMeasure;Power;IfcPowerMeasure;Protocols;IfcIdentifier -Pset_DistributionPortTypeDuct;ConnectionSubType;IfcLabel;NominalWidth;IfcPositiveLengthMeasure;NominalHeight;IfcPositiveLengthMeasure;NominalThickness;IfcPositiveLengthMeasure;DryBulbTemperature;IfcThermodynamicTemperatureMeasure;WetBulbTemperature;IfcThermodynamicTemperatureMeasure;VolumetricFlowRate;IfcVolumetricFlowRateMeasure;Velocity;IfcLinearVelocityMeasure;Pressure;IfcPressureMeasure -Pset_DistributionPortTypePipe;ConnectionSubType;IfcLabel;NominalDiameter;IfcPositiveLengthMeasure;InnerDiameter;IfcPositiveLengthMeasure;OuterDiameter;IfcPositiveLengthMeasure;Temperature;IfcThermodynamicTemperatureMeasure;VolumetricFlowRate;IfcVolumetricFlowRateMeasure;MassFlowRate;IfcMassFlowRateMeasure;FlowCondition;IfcPositiveRatioMeasure;Velocity;IfcLinearVelocityMeasure;Pressure;IfcPressureMeasure +Pset_DistributionPortCommon;PortNumber;IfcInteger;ColourCode;IfcLabel +Pset_DistributionPortPHistoryCable +Pset_DistributionPortPHistoryDuct +Pset_DistributionPortPHistoryPipe +Pset_DistributionPortTypeCable;ConnectionSubtype;IfcLabel;CurrentContent3rdHarmonic;IfcPositiveRatioMeasure;Current;IfcElectricCurrentMeasure;Voltage;IfcElectricVoltageMeasure;Power;IfcPowerMeasure;Protocols;IfcIdentifier;HasConnector;IfcBoolean;IsWelded;IfcBoolean +Pset_DistributionPortTypeDuct;ConnectionSubtype;IfcLabel;NominalWidth;IfcNonNegativeLengthMeasure;NominalHeight;IfcPositiveLengthMeasure;NominalThickness;IfcNonNegativeLengthMeasure;DryBulbTemperature;IfcThermodynamicTemperatureMeasure;WetBulbTemperature;IfcThermodynamicTemperatureMeasure;VolumetricFlowRate;IfcVolumetricFlowRateMeasure;Velocity;IfcLinearVelocityMeasure;Pressure;IfcPressureMeasure +Pset_DistributionPortTypePipe;ConnectionSubtype;IfcLabel;NominalDiameter;IfcPositiveLengthMeasure;InnerDiameter;IfcPositiveLengthMeasure;OuterDiameter;IfcPositiveLengthMeasure;Temperature;IfcThermodynamicTemperatureMeasure;VolumetricFlowRate;IfcVolumetricFlowRateMeasure;MassFlowRate;IfcMassFlowRateMeasure;FlowCondition;IfcPositiveRatioMeasure;Velocity;IfcLinearVelocityMeasure;Pressure;IfcPressureMeasure Pset_DistributionSystemCommon;Reference;IfcIdentifier -Pset_DistributionSystemTypeElectrical;Diversity;IfcPositiveRatioMeasure;NumberOfLiveConductors;IfcInteger;MaximumAllowedVoltageDrop;IfcElectricVoltageMeasure;NetImpedance;IfcElectricResistanceMeasure +Pset_DistributionSystemTypeElectrica;Diversity;IfcPositiveRatioMeasure;NumberOfLiveConductors;IfcCountMeasure;MaximumAllowedVoltageDrop;IfcElectricVoltageMeasure;NetImpedance;IfcElectricResistanceMeasure;RatedVoltageRange;IfcElectricVoltageMeasure +Pset_DistributionSystemTypeOverheadContactlineSyste;SpanNominalLength;IfcPositiveLengthMeasure;ContactWireStagger;IfcPositiveLengthMeasure;ContactWireNominalDrop;IfcPositiveLengthMeasure;PressureRange;IfcPressureMeasure;ContactWireNominalHeight;IfcPositiveLengthMeasure;ContactWireUplift;IfcNonNegativeLengthMeasure;ElectricalClearance;IfcPositiveLengthMeasure;NumberOfOverlappingSpans;IfcCountMeasure;PantographType;IfcLabel;TensionLength;IfcPositiveLengthMeasure Pset_DistributionSystemTypeVentilation;DesignName;IfcLabel;PressureClass;IfcPressureMeasure;LeakageClass;IfcPressureMeasure;FrictionLoss;IfcReal;ScrapFactor;IfcReal;MaximumVelocity;IfcLinearVelocityMeasure;AspectRatio;IfcReal;MinimumHeight;IfcPositiveLengthMeasure;MinimumWidth;IfcPositiveLengthMeasure Pset_DoorCommon;Reference;IfcIdentifier;FireRating;IfcLabel;AcousticRating;IfcLabel;SecurityRating;IfcLabel;DurabilityRating;IfcLabel;HygrothermalRating;IfcLabel;WaterTightnessRating;IfcLabel;MechanicalLoadRating;IfcLabel;WindLoadRating;IfcLabel;Infiltration;IfcVolumetricFlowRateMeasure;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;GlazingAreaFraction;IfcPositiveRatioMeasure;HandicapAccessible;IfcBoolean;FireExit;IfcBoolean;HasDrive;IfcBoolean;SelfClosing;IfcBoolean;SmokeStop;IfcBoolean -Pset_DoorWindowGlazingType;GlassLayers;IfcCountMeasure;GlassThickness1;IfcPositiveLengthMeasure;GlassThickness2;IfcPositiveLengthMeasure;GlassThickness3;IfcPositiveLengthMeasure;FillGas;IfcLabel;GlassColor;IfcLabel;IsTempered;IfcBoolean;IsLaminated;IfcBoolean;IsCoated;IfcBoolean;IsWired;IfcBoolean;VisibleLightReflectance;IfcNormalisedRatioMeasure;VisibleLightTransmittance;IfcNormalisedRatioMeasure;SolarAbsorption;IfcNormalisedRatioMeasure;SolarReflectance;IfcNormalisedRatioMeasure;SolarTransmittance;IfcNormalisedRatioMeasure;SolarHeatGainTransmittance;IfcNormalisedRatioMeasure;ShadingCoefficient;IfcNormalisedRatioMeasure;ThermalTransmittanceSummer;IfcThermalTransmittanceMeasure;ThermalTransmittanceWinter;IfcThermalTransmittanceMeasure -Pset_DuctFittingOccurrence;InteriorRoughnessCoefficient;IfcPositiveLengthMeasure;HasLiner;IfcBoolean;Color;IfcLabel +Pset_DoorLiningProperties;LiningDepth;IfcPositiveLengthMeasure;LiningThickness;IfcNonNegativeLengthMeasure;ThresholdDepth;IfcPositiveLengthMeasure;ThresholdThickness;IfcNonNegativeLengthMeasure;TransomThickness;IfcNonNegativeLengthMeasure;TransomOffset;IfcLengthMeasure;LiningOffset;IfcLengthMeasure;ThresholdOffset;IfcLengthMeasure;CasingThickness;IfcPositiveLengthMeasure;CasingDepth;IfcPositiveLengthMeasure;LiningToPanelOffsetX;IfcLengthMeasure;LiningToPanelOffsetY;IfcLengthMeasure +Pset_DoorPanelProperties;PanelDepth;IfcPositiveLengthMeasure;PanelWidth;IfcNormalisedRatioMeasure +Pset_DoorTypeTurnstile;IsBidirectional;IfcBoolean;NarrowChannelWidth;IfcPositiveLengthMeasure;WideChannelWidth;IfcPositiveLengthMeasure +Pset_DoorWindowGlazingType;GlassLayers;IfcCountMeasure;GlassThickness1;IfcPositiveLengthMeasure;GlassThickness2;IfcPositiveLengthMeasure;GlassThickness3;IfcPositiveLengthMeasure;FillGas;IfcLabel;GlassColour;IfcLabel;IsTempered;IfcBoolean;IsLaminated;IfcBoolean;IsCoated;IfcBoolean;IsWired;IfcBoolean;VisibleLightReflectance;IfcNormalisedRatioMeasure;VisibleLightTransmittance;IfcNormalisedRatioMeasure;SolarAbsorption;IfcNormalisedRatioMeasure;SolarReflectance;IfcNormalisedRatioMeasure;SolarTransmittance;IfcNormalisedRatioMeasure;SolarHeatGainTransmittance;IfcNormalisedRatioMeasure;ShadingCoefficient;IfcNormalisedRatioMeasure;ThermalTransmittanceSummer;IfcThermalTransmittanceMeasure;ThermalTransmittanceWinter;IfcThermalTransmittanceMeasure +Pset_DuctFittingOccurrence;InteriorRoughnessCoefficient;IfcPositiveLengthMeasure;HasLiner;IfcBoolean;Colour;IfcLabel +Pset_DuctFittingPHistory Pset_DuctFittingTypeCommon;Reference;IfcIdentifier;PressureClass;IfcPressureMeasure;PressureRange;IfcPressureMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure -Pset_DuctSegmentOccurrence;InteriorRoughnessCoefficient;IfcPositiveLengthMeasure;HasLiner;IfcBoolean;Color;IfcLabel +Pset_DuctSegmentOccurrence;InteriorRoughnessCoefficient;IfcPositiveLengthMeasure;HasLiner;IfcBoolean;Colour;IfcLabel +Pset_DuctSegmentPHistory Pset_DuctSegmentTypeCommon;Reference;IfcIdentifier;WorkingPressure;IfcPressureMeasure;PressureRange;IfcPressureMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure;LongitudinalSeam;IfcText;NominalDiameterOrWidth;IfcPositiveLengthMeasure;NominalHeight;IfcPositiveLengthMeasure;Reinforcement;IfcLabel;ReinforcementSpacing;IfcPositiveLengthMeasure -Pset_DuctSilencerTypeCommon;Reference;IfcIdentifier;HydraulicDiameter;IfcLengthMeasure;Length;IfcLengthMeasure;Weight;IfcMassMeasure;AirFlowrateRange;IfcVolumetricFlowRateMeasure;WorkingPressureRange;IfcPressureMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure;HasExteriorInsulation;IfcBoolean -Pset_ElectricalDeviceCommon;RatedCurrent;IfcElectricCurrentMeasure;RatedVoltage;IfcElectricVoltageMeasure;NominalFrequencyRange;IfcFrequencyMeasure;PowerFactor;IfcNormalisedRatioMeasure;NumberOfPoles;IfcInteger;HasProtectiveEarth;IfcBoolean;IP_Code;IfcLabel;IK_Code;IfcLabel +Pset_DuctSilencerPHistory +Pset_DuctSilencerTypeCommon;Reference;IfcIdentifier;HydraulicDiameter;IfcLengthMeasure;Length;IfcPositiveLengthMeasure;Weight;IfcMassMeasure;AirFlowRateRange;IfcVolumetricFlowRateMeasure;WorkingPressureRange;IfcPressureMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure;HasExteriorInsulation;IfcBoolean +Pset_ElectricAppliancePHistory Pset_ElectricApplianceTypeCommon;Reference;IfcIdentifier -Pset_ElectricDistributionBoardOccurrence;IsMain;IfcBoolean;IsSkilledOperator;IfcBoolean -Pset_ElectricDistributionBoardTypeCommon;Reference;IfcIdentifier -Pset_ElectricFlowStorageDeviceTypeCommon;Reference;IfcIdentifier;NominalSupplyVoltage;IfcElectricVoltageMeasure;NominalSupplyVoltageOffset;IfcElectricVoltageMeasure;NominalFrequency;IfcFrequencyMeasure;ShortCircuit3PoleMaximumState;IfcElectricCurrentMeasure;ShortCircuit3PolePowerFactorMaximumState;IfcReal;ShortCircuit2PoleMinimumState;IfcElectricCurrentMeasure;ShortCircuit2PolePowerFactorMinimumState;IfcReal;ShortCircuit1PoleMaximumState;IfcElectricCurrentMeasure;ShortCircuit1PolePowerFactorMaximumState;IfcReal;ShortCircuit1PoleMinimumState;IfcElectricCurrentMeasure;ShortCircuit1PolePowerFactorMinimumState;IfcReal;EarthFault1PoleMaximumState;IfcElectricCurrentMeasure;EarthFault1PolePowerFactorMaximumState;IfcReal;EarthFault1PoleMinimumState;IfcElectricCurrentMeasure;EarthFault1PolePowerFactorMinimumState;IfcReal +Pset_ElectricApplianceTypeDishwasher +Pset_ElectricApplianceTypeElectricCooker +Pset_ElectricFlowStorageDeviceTypeBattery;CurrentRegulationRate;IfcRatioMeasure;NominalSupplyCurrent;IfcElectricCurrentMeasure;VoltageRegulationRate;IfcRatioMeasure;EncapsulationTechnologyCode;IfcIdentifier;OpenCircuitVoltage;IfcElectricVoltageMeasure +Pset_ElectricFlowStorageDeviceTypeCapacitor;NumberOfPhases;IfcCountMeasure +Pset_ElectricFlowStorageDeviceTypeCommon;Reference;IfcIdentifier;NominalSupplyVoltage;IfcElectricVoltageMeasure;NominalSupplyVoltageOffset;IfcElectricVoltageMeasure;NominalFrequency;IfcFrequencyMeasure;ShortCircuit3PoleMaximumState;IfcElectricCurrentMeasure;ShortCircuit3PolePowerFactorMaximumState;IfcReal;ShortCircuit2PoleMinimumState;IfcElectricCurrentMeasure;ShortCircuit2PolePowerFactorMinimumState;IfcReal;ShortCircuit1PoleMaximumState;IfcElectricCurrentMeasure;ShortCircuit1PolePowerFactorMaximumState;IfcReal;ShortCircuit1PoleMinimumState;IfcElectricCurrentMeasure;ShortCircuit1PolePowerFactorMinimumState;IfcReal;EarthFault1PoleMaximumState;IfcElectricCurrentMeasure;EarthFault1PolePowerFactorMaximumState;IfcReal;EarthFault1PoleMinimumState;IfcElectricCurrentMeasure;EarthFault1PolePowerFactorMinimumState;IfcReal;MaximumInsulatedVoltage;IfcElectricVoltageMeasure;RatedCapacitance;IfcElectricCapacitanceMeasure;PowerCapacity;IfcElectricChargeMeasure +Pset_ElectricFlowStorageDeviceTypeInductor;Inductance;IfcInductanceMeasure;NumberOfPhases;IfcCountMeasure +Pset_ElectricFlowStorageDeviceTypeRecharger;NominalSupplyCurrent;IfcElectricCurrentMeasure +Pset_ElectricFlowStorageDeviceTypeUPS;CurrentRegulationRate;IfcRatioMeasure;NominalSupplyCurrent;IfcElectricCurrentMeasure;VoltageRegulationRate;IfcRatioMeasure +Pset_ElectricFlowTreatmentDeviceTypeElectronicFilter;NominalPower;IfcPowerMeasure;NominalCurrent;IfcElectricCurrentMeasure;PrimaryFrequency;IfcFrequencyMeasure;SecondaryFrequency;IfcFrequencyMeasure;RatedVoltage;IfcElectricVoltageMeasure Pset_ElectricGeneratorTypeCommon;Reference;IfcIdentifier;ElectricGeneratorEfficiency;IfcPositiveRatioMeasure;StartCurrentFactor;IfcReal;MaximumPowerOutput;IfcPowerMeasure Pset_ElectricMotorTypeCommon;Reference;IfcIdentifier;MaximumPowerOutput;IfcPowerMeasure;ElectricMotorEfficiency;IfcPositiveRatioMeasure;StartCurrentFactor;IfcReal;StartingTime;IfcTimeMeasure;TeTime;IfcTimeMeasure;LockedRotorCurrent;IfcElectricCurrentMeasure;FrameSize;IfcLabel;IsGuarded;IfcBoolean;HasPartWinding;IfcBoolean Pset_ElectricTimeControlTypeCommon;Reference;IfcIdentifier -Pset_ElementAssemblyCommon;Reference;IfcLabel +Pset_ElectricalDeviceCommon;RatedCurrent;IfcElectricCurrentMeasure;RatedVoltage;IfcElectricVoltageMeasure;NominalFrequencyRange;IfcFrequencyMeasure;PowerFactor;IfcNormalisedRatioMeasure;NumberOfPoles;IfcCountMeasure;HasProtectiveEarth;IfcBoolean;IP_Code;IfcLabel;IK_Code;IfcLabel;EarthingStyle;IfcLabel;HeatDissipation;IfcPowerMeasure;Power;IfcPowerMeasure;NominalPowerConsumption;IfcPowerMeasure;NumberOfPowerSupplyPorts;IfcInteger +Pset_ElectricalDeviceCompliance;ElectroMagneticStandardsCompliance;IfcBoolean;ExplosiveAtmosphereStandardsCompliance;IfcBoolean;FireProofingStandardsCompliance;IfcBoolean;LightningProtectionStandardsCompliance;IfcBoolean +Pset_ElectricalFeederLine;CurrentCarryingCapacity;IfcElectricCurrentMeasure;DesignAmbientTemperature;IfcThermodynamicTemperatureMeasure;ElectricalClearanceDistance;IfcPositiveLengthMeasure +Pset_ElementAssemblyCommon;Reference;IfcIdentifier +Pset_ElementAssemblyTypeCantilever;ContactWireStagger;IfcPositiveLengthMeasure;SystemHeight;IfcPositiveLengthMeasure +Pset_ElementAssemblyTypeDilatationPane;DilatationLength;IfcPositiveLengthMeasure +Pset_ElementAssemblyTypeHeadSpan;NumberOfTracksCrossed;IfcCountMeasure;Span;IfcPositiveLengthMeasure +Pset_ElementAssemblyTypeMast;WithLightningRod;IfcBoolean +Pset_ElementAssemblyTypeOCSSuspension;ContactWireStagger;IfcPositiveLengthMeasure;ContactWireHeight;IfcPositiveLengthMeasure +Pset_ElementAssemblyTypeRigidFrame;LoadCapacity;IfcForceMeasure;NumberOfTracksCrossed;IfcCountMeasure;Span;IfcPositiveLengthMeasure +Pset_ElementAssemblyTypeSteadyDevice;ContactWireStagger;IfcPositiveLengthMeasure;IsSetOnWorkingWire;IfcBoolean +Pset_ElementAssemblyTypeSupportingAssembly;NumberOfCantilevers;IfcCountMeasure +Pset_ElementAssemblyTypeTrackPane;IsAccessibleByVehicle;IfcBoolean;TrackExpansion;IfcPositiveLengthMeasure +Pset_ElementAssemblyTypeTractionSwitchingAssembly;NominalCurrent;IfcElectricCurrentMeasure;NominalPower;IfcPowerMeasure;RatedVoltage;IfcElectricVoltageMeasure;DesignAmbientTemperature;IfcThermodynamicTemperatureMeasure +Pset_ElementAssemblyTypeTurnoutPane;IsAccessibleByVehicle;IfcBoolean;TrackExpansion;IfcPositiveLengthMeasure;TurnoutCurvedRadius;IfcLengthMeasure;IsSharedTurnout;IfcBoolean;MaximumSpeedLimitOfDivergingLine;IfcLinearVelocityMeasure;PercentShared;IfcPositiveRatioMeasure;TrackGaugeLength;IfcPositiveLengthMeasure;TurnoutPointMachineCount;IfcCountMeasure Pset_ElementComponentCommon;Reference;IfcIdentifier +Pset_ElementKinematics;CyclicPath;IfcPlaneAngleMeasure;CyclicRange;IfcPlaneAngleMeasure;LinearPath;IfcLengthMeasure;LinearRange;IfcPositiveLengthMeasure;MaximumAngularVelocity;IfcAngularVelocityMeasure;MaximumConstantSpeed;IfcLinearVelocityMeasure;MinimumTime;IfcTimeMeasure +Pset_ElementSize;NominalLength;IfcPositiveLengthMeasure;NominalWidth;IfcPositiveLengthMeasure;NominalHeight;IfcPositiveLengthMeasure +Pset_EmbeddedTrack;IsAccessibleByVehicle;IfcBoolean;HasDrainage;IfcBoolean;PermissibleRoadLoad;IfcMassMeasure +Pset_EnergyRequirements;EnergyConsumption;IfcEnergyMeasure;PowerDemand;IfcPowerMeasure;EnergySourceLabel;IfcLabel;EnergyConversionEfficiency;IfcRatioMeasure Pset_EngineTypeCommon;Reference;IfcIdentifier -Pset_EnvironmentalImpactIndicators;Reference;IfcIdentifier;FunctionalUnitReference;IfcLabel;Unit;IfcText;ExpectedServiceLife;IfcTimeMeasure;TotalPrimaryEnergyConsumptionPerUnit;IfcEnergyMeasure;WaterConsumptionPerUnit;IfcVolumeMeasure;HazardousWastePerUnit;IfcMassMeasure;NonHazardousWastePerUnit;IfcMassMeasure;ClimateChangePerUnit;IfcMassMeasure;AtmosphericAcidificationPerUnit;IfcMassMeasure;RenewableEnergyConsumptionPerUnit;IfcEnergyMeasure;NonRenewableEnergyConsumptionPerUnit;IfcEnergyMeasure;ResourceDepletionPerUnit;IfcMassMeasure;InertWastePerUnit;IfcMassMeasure;RadioactiveWastePerUnit;IfcMassMeasure;StratosphericOzoneLayerDestructionPerUnit;IfcMassMeasure;PhotochemicalOzoneFormationPerUnit;IfcMassMeasure;EutrophicationPerUnit;IfcMassMeasure +Pset_EnvironmentalCondition;ReferenceAirRelativeHumidity;IfcNormalisedRatioMeasure;ReferenceEnvironmentTemperature;IfcThermodynamicTemperatureMeasure;MaximumAtmosphericPressure;IfcPressureMeasure;StorageTemperatureRange;IfcThermodynamicTemperatureMeasure;MaximumWindSpeed;IfcLinearVelocityMeasure;OperationalTemperatureRange;IfcThermodynamicTemperatureMeasure;MaximumRainIntensity;IfcReal;SaltMistLevel;IfcLabel;SeismicResistance;IfcReal;SmokeLevel;IfcLabel;MaximumSolarRadiation;IfcReal +Pset_EnvironmentalEmissions;CarbonDioxideEmissions;IfcMassFlowRateMeasure;SulphurDioxideEmissions;IfcMassFlowRateMeasure;NitrogenOxidesEmissions;IfcMassFlowRateMeasure;ParticulateMatterEmissions;IfcMassFlowRateMeasure;NoiseEmissions;IfcSoundPowerLevelMeasure +Pset_EnvironmentalImpactIndicators;Reference;IfcIdentifier;FunctionalUnitReference;IfcLabel;IndicatorsUnit;IfcText;ExpectedServiceLife;IfcTimeMeasure;TotalPrimaryEnergyConsumptionPerUnit;IfcEnergyMeasure;WaterConsumptionPerUnit;IfcVolumeMeasure;HazardousWastePerUnit;IfcMassMeasure;NonHazardousWastePerUnit;IfcMassMeasure;ClimateChangePerUnit;IfcMassMeasure;AtmosphericAcidificationPerUnit;IfcMassMeasure;RenewableEnergyConsumptionPerUnit;IfcEnergyMeasure;NonRenewableEnergyConsumptionPerUnit;IfcEnergyMeasure;ResourceDepletionPerUnit;IfcMassMeasure;InertWastePerUnit;IfcMassMeasure;RadioactiveWastePerUnit;IfcMassMeasure;StratosphericOzoneLayerDestructionPerUnit;IfcMassMeasure;PhotochemicalOzoneFormationPerUnit;IfcMassMeasure;EutrophicationPerUnit;IfcMassMeasure Pset_EnvironmentalImpactValues;TotalPrimaryEnergyConsumption;IfcEnergyMeasure;WaterConsumption;IfcVolumeMeasure;HazardousWaste;IfcMassMeasure;NonHazardousWaste;IfcMassMeasure;ClimateChange;IfcMassMeasure;AtmosphericAcidification;IfcMassMeasure;RenewableEnergyConsumption;IfcEnergyMeasure;NonRenewableEnergyConsumption;IfcEnergyMeasure;ResourceDepletion;IfcMassMeasure;InertWaste;IfcMassMeasure;RadioactiveWaste;IfcMassMeasure;StratosphericOzoneLayerDestruction;IfcMassMeasure;PhotochemicalOzoneFormation;IfcMassMeasure;Eutrophication;IfcMassMeasure;LeadInTime;IfcDuration;Duration;IfcDuration;LeadOutTime;IfcDuration +Pset_EvaporativeCoolerPHistory Pset_EvaporativeCoolerTypeCommon;Reference;IfcIdentifier;HeatExchangeArea;IfcAreaMeasure;OperationTemperatureRange;IfcThermodynamicTemperatureMeasure;WaterRequirement;IfcVolumetricFlowRateMeasure;EffectivenessTable;IfcReal;AirPressureDropCurve;IfcPressureMeasure;WaterPressDropCurve;IfcPressureMeasure +Pset_EvaporatorPHistory Pset_EvaporatorTypeCommon;Reference;IfcIdentifier;ExternalSurfaceArea;IfcAreaMeasure;InternalSurfaceArea;IfcAreaMeasure;InternalRefrigerantVolume;IfcVolumeMeasure;InternalWaterVolume;IfcVolumeMeasure;NominalHeatTransferArea;IfcAreaMeasure;NominalHeatTransferCoefficient;IfcThermalTransmittanceMeasure +Pset_FanCentrifuga Pset_FanOccurrence;FractionOfMotorHeatToAirStream;IfcNormalisedRatioMeasure;ImpellerDiameter;IfcPositiveLengthMeasure +Pset_FanPHistory Pset_FanTypeCommon;Reference;IfcIdentifier;OperationTemperatureRange;IfcThermodynamicTemperatureMeasure;NominalAirFlowRate;IfcVolumetricFlowRateMeasure;NominalTotalPressure;IfcPressureMeasure;NominalStaticPressure;IfcPressureMeasure;NominalRotationSpeed;IfcRotationalFrequencyMeasure;NominalPowerRate;IfcPowerMeasure;OperationalCriteria;IfcTimeMeasure;PressureCurve;IfcPressureMeasure;EfficiencyCurve;IfcNormalisedRatioMeasure -Pset_FastenerWeld;Type1;IfcLabel;Type2;IfcLabel;Surface1;IfcLabel;Surface2;IfcLabel;Process;IfcInteger;ProcessName;IfcLabel;a;IfcPositiveLengthMeasure;c;IfcPositiveLengthMeasure;d;IfcPositiveLengthMeasure;e;IfcPositiveLengthMeasure;l;IfcPositiveLengthMeasure;n;IfcCountMeasure;s;IfcPositiveLengthMeasure;z;IfcPositiveLengthMeasure;Intermittent;IfcBoolean;Staggered;IfcBoolean +Pset_FastenerRailWeld;IsLiftingBracket;IfcBoolean;TemperatureDuringInstallation;IfcThermodynamicTemperatureMeasure +Pset_FastenerWeld;Type1;IfcLabel;Type2;IfcLabel;Surface1;IfcLabel;Surface2;IfcLabel;Process;IfcInteger;ProcessName;IfcLabel;NominalThroatThickness;IfcPositiveLengthMeasure;WeldWidth;IfcPositiveLengthMeasure;WeldDiameter;IfcPositiveLengthMeasure;WeldElementSpacing;IfcPositiveLengthMeasure;WeldElementLength;IfcPositiveLengthMeasure;NumberOfWeldElements;IfcCountMeasure;DeepPenetrationThroatThickness;IfcPositiveLengthMeasure;WeldLegLength;IfcPositiveLengthMeasure;Intermittent;IfcBoolean;Staggered;IfcBoolean +Pset_FenderCommon;CoefficientOfFriction;IfcPositiveRatioMeasure;EnergyAbsorptionTolerance;IfcPositiveRatioMeasure;MaxReactionTolerance;IfcPositiveRatioMeasure;MaximumTemperatureFactor;IfcPositiveRatioMeasure;MinimumTemperatureFactor;IfcPositiveRatioMeasure;VelocityFactorEnergy;IfcPositiveRatioMeasure;VelocityFactorReaction;IfcPositiveRatioMeasure;EnergyAbsorption;IfcEnergyMeasure;MaxReaction;IfcForceMeasure +Pset_FenderDesignCriteria;CoefficientOfFriction;IfcPositiveRatioMeasure;EnergyAbsorptionTolerance;IfcPositiveRatioMeasure;MaxReactionTolerance;IfcPositiveRatioMeasure;MaximumTemperatureFactor;IfcPositiveRatioMeasure;MinimumTemperatureFactor;IfcPositiveRatioMeasure;VelocityFactorEnergy;IfcPositiveRatioMeasure;VelocityFactorReaction;IfcPositiveRatioMeasure;EnergyAbsorption;IfcEnergyMeasure;MaxReaction;IfcForceMeasure;MinCompressedFenderHeight;IfcPositiveLengthMeasure +Pset_FilterPHistory Pset_FilterTypeAirParticleFilter;DustHoldingCapacity;IfcMassMeasure;FaceSurfaceArea;IfcAreaMeasure;MediaExtendedArea;IfcAreaMeasure;NominalCountedEfficiency;IfcReal;NominalWeightedEfficiency;IfcReal;PressureDropCurve;IfcPressureMeasure;CountedEfficiencyCurve;IfcReal;WeightedEfficiencyCurve;IfcReal Pset_FilterTypeCommon;Reference;IfcIdentifier;Weight;IfcMassMeasure;InitialResistance;IfcPressureMeasure;FinalResistance;IfcPressureMeasure;OperationTemperatureRange;IfcThermodynamicTemperatureMeasure;FlowRateRange;IfcVolumetricFlowRateMeasure;NominalFilterFaceVelocity;IfcLinearVelocityMeasure;NominalMediaSurfaceVelocity;IfcLinearVelocityMeasure;NominalPressureDrop;IfcPressureMeasure;NominalFlowrate;IfcVolumetricFlowRateMeasure;NominalParticleGeometricMeanDiameter;IfcPositiveLengthMeasure;NominalParticleGeometricStandardDeviation;IfcReal Pset_FilterTypeCompressedAirFilter;OperationPressureMax;IfcPressureMeasure;ParticleAbsorptionCurve;IfcPositiveRatioMeasure;AutomaticCondensateDischarge;IfcBoolean;CloggingIndicator;IfcBoolean +Pset_FilterTypeWaterFilter Pset_FireSuppressionTerminalTypeBreechingInlet;InletDiameter;IfcPositiveLengthMeasure;OutletDiameter;IfcPositiveLengthMeasure;HasCaps;IfcBoolean Pset_FireSuppressionTerminalTypeCommon;Reference;IfcIdentifier -Pset_FireSuppressionTerminalTypeFireHydrant;PumperConnectionSize;IfcPositiveLengthMeasure;NumberOfHoseConnections;IfcInteger;HoseConnectionSize;IfcPositiveLengthMeasure;DischargeFlowRate;IfcVolumetricFlowRateMeasure;FlowClass;IfcLabel;WaterIsPotable;IfcBoolean;PressureRating;IfcPressureMeasure;BodyColor;IfcText;CapColor;IfcText -Pset_FireSuppressionTerminalTypeHoseReel;InletConnectionSize;IfcPositiveLengthMeasure;HoseDiameter;IfcPositiveLengthMeasure;HoseLength;IfcPositiveLengthMeasure;ClassOfService;IfcLabel;ClassificationAuthority;IfcLabel +Pset_FireSuppressionTerminalTypeFireHydrant;PumperConnectionSize;IfcPositiveLengthMeasure;NumberOfHoseConnections;IfcCountMeasure;HoseConnectionSize;IfcPositiveLengthMeasure;DischargeFlowRate;IfcVolumetricFlowRateMeasure;FlowClass;IfcLabel;WaterIsPotable;IfcBoolean;PressureRating;IfcPressureMeasure;BodyColour;IfcText;CapColour;IfcText +Pset_FireSuppressionTerminalTypeHoseRee;InletConnectionSize;IfcPositiveLengthMeasure;HoseDiameter;IfcPositiveLengthMeasure;HoseLength;IfcPositiveLengthMeasure;ClassOfService;IfcLabel;ClassificationAuthority;IfcLabel Pset_FireSuppressionTerminalTypeSprinkler;ActivationTemperature;IfcThermodynamicTemperatureMeasure;CoverageArea;IfcAreaMeasure;HasDeflector;IfcBoolean;DischargeFlowRate;IfcVolumetricFlowRateMeasure;ResidualFlowingPressure;IfcPressureMeasure;DischargeCoefficient;IfcReal;MaximumWorkingPressure;IfcPressureMeasure;ConnectionSize;IfcPositiveLengthMeasure +Pset_FittingBend;BendAngle;IfcPositivePlaneAngleMeasure;BendRadius;IfcPositiveLengthMeasure +Pset_FittingJunction;JunctionLeftAngle;IfcPositivePlaneAngleMeasure;JunctionLeftRadius;IfcPositiveLengthMeasure;JunctionRightAngle;IfcPositivePlaneAngleMeasure;JunctionRightRadius;IfcPositiveLengthMeasure +Pset_FittingTransition;NominalLength;IfcPositiveLengthMeasure;EccentricityInY;IfcLengthMeasure;EccentricityInZ;IfcLengthMeasure +Pset_FlowInstrumentPHistory Pset_FlowInstrumentTypeCommon;Reference;IfcIdentifier Pset_FlowInstrumentTypePressureGauge;DisplaySize;IfcPositiveLengthMeasure Pset_FlowInstrumentTypeThermometer;DisplaySize;IfcPositiveLengthMeasure +Pset_FlowMeterOccurrence Pset_FlowMeterTypeCommon;Reference;IfcIdentifier;RemoteReading;IfcBoolean Pset_FlowMeterTypeEnergyMeter;NominalCurrent;IfcElectricCurrentMeasure;MaximumCurrent;IfcElectricCurrentMeasure;MultipleTarriff;IfcBoolean Pset_FlowMeterTypeGasMeter;ConnectionSize;IfcPositiveLengthMeasure;MaximumFlowRate;IfcVolumetricFlowRateMeasure;MaximumPressureLoss;IfcPressureMeasure Pset_FlowMeterTypeOilMeter;ConnectionSize;IfcPositiveLengthMeasure;MaximumFlowRate;IfcVolumetricFlowRateMeasure Pset_FlowMeterTypeWaterMeter;ConnectionSize;IfcPositiveLengthMeasure;MaximumFlowRate;IfcVolumetricFlowRateMeasure;MaximumPressureLoss;IfcPressureMeasure Pset_FootingCommon;Reference;IfcIdentifier;LoadBearing;IfcBoolean +Pset_FootingTypePadFooting;LoadBearingCapacity;IfcPlanarForceMeasure;IsReinforced;IfcBoolean Pset_FurnitureTypeChair;SeatingHeight;IfcPositiveLengthMeasure;HighestSeatingHeight;IfcPositiveLengthMeasure;LowestSeatingHeight;IfcPositiveLengthMeasure -Pset_FurnitureTypeCommon;Reference;IfcIdentifier;Style;IfcLabel;NominalHeight;IfcPositiveLengthMeasure;NominalLength;IfcPositiveLengthMeasure;NominalDepth;IfcPositiveLengthMeasure;MainColor;IfcLabel;IsBuiltIn;IfcBoolean +Pset_FurnitureTypeCommon;Reference;IfcIdentifier;Style;IfcLabel;NominalHeight;IfcPositiveLengthMeasure;NominalLength;IfcNonNegativeLengthMeasure;NominalDepth;IfcNonNegativeLengthMeasure;MainColour;IfcLabel;IsBuiltIn;IfcBoolean Pset_FurnitureTypeDesk;WorksurfaceArea;IfcAreaMeasure Pset_FurnitureTypeFileCabinet;WithLock;IfcBoolean -Pset_FurnitureTypeTable;WorksurfaceArea;IfcAreaMeasure;NumberOfChairs;IfcInteger +Pset_FurnitureTypeTable;WorksurfaceArea;IfcAreaMeasure;NumberOfChairs;IfcCountMeasure +Pset_GateHeadCommon;StructuralType;IfcLabel +Pset_GeotechnicalAssemblyCommon;Limitations;IfcText;Methodology;IfcText +Pset_GeotechnicalStratumCommon;StratumColour;IfcLabel;IsTopographic;IfcLogical;PiezometricHead;IfcPositiveLengthMeasure;PiezometricPressure;IfcPressureMeasure;Texture;IfcLabel Pset_HeatExchangerTypeCommon;Reference;IfcIdentifier -Pset_HeatExchangerTypePlate;NumberOfPlates;IfcInteger +Pset_HeatExchangerTypePlate;NumberOfPlates;IfcCountMeasure +Pset_HumidifierPHistory Pset_HumidifierTypeCommon;Reference;IfcIdentifier;Weight;IfcMassMeasure;NominalMoistureGain;IfcMassFlowRateMeasure;NominalAirFlowRate;IfcVolumetricFlowRateMeasure;WaterRequirement;IfcVolumetricFlowRateMeasure;SaturationEfficiencyCurve;IfcNormalisedRatioMeasure;AirPressureDropCurve;IfcPressureMeasure +Pset_ImpactProtectionDeviceOccurrenceBumper;BrakingLength;IfcPositiveLengthMeasure;IsRemovableBumper;IfcBoolean +Pset_ImpactProtectionDeviceTypeBumper;IsAbsorbingEnergy;IfcBoolean;MaximumLoadRetention;IfcForceMeasure;EnergyAbsorption;IfcEnergyMeasure +Pset_InstallationOccurrence;InstallationDate;IfcDate;AcceptanceDate;IfcDate;PutIntoOperationDate;IfcDate Pset_InterceptorTypeCommon;Reference;IfcIdentifier;NominalBodyLength;IfcPositiveLengthMeasure;NominalBodyWidth;IfcPositiveLengthMeasure;NominalBodyDepth;IfcPositiveLengthMeasure;InletConnectionSize;IfcPositiveLengthMeasure;OutletConnectionSize;IfcPositiveLengthMeasure;CoverLength;IfcPositiveLengthMeasure;CoverWidth;IfcPositiveLengthMeasure;VentilatingPipeSize;IfcPositiveLengthMeasure -Pset_JunctionBoxTypeCommon;Reference;IfcIdentifier;NumberOfGangs;IfcInteger;ClearDepth;IfcPositiveLengthMeasure;IsExternal;IfcBoolean;IP_Code;IfcLabel -Pset_LampTypeCommon;Reference;IfcIdentifier;ContributedLuminousFlux;IfcLuminousFluxMeasure;LightEmitterNominalPower;IfcPowerMeasure;LampMaintenanceFactor;IfcReal;ColorAppearance;IfcLabel;Spectrum;IfcNumericMeasure;ColorTemperature;IfcThermodynamicTemperatureMeasure;ColorRenderingIndex;IfcInteger +Pset_IpNetworkEquipmentPHistory +Pset_JettyCommon;StructuralType;IfcLabel;BentSpacing;IfcLengthMeasure;Elevation;IfcLengthMeasure +Pset_JettyDesignCriteria;HighWaterLevel;IfcLengthMeasure;LowWaterLevel;IfcLengthMeasure;ExtremeHighWaterLevel;IfcLengthMeasure;ExtremeLowWaterLevel;IfcLengthMeasure;ShipLoading;IfcForceMeasure;WaveLoading;IfcForceMeasure;FlowLoading;IfcForceMeasure;UniformlyDistributedLoad;IfcForceMeasure;EquipmentLoading;IfcForceMeasure +Pset_JunctionBoxTypeCommon;Reference;IfcIdentifier;NumberOfGangs;IfcCountMeasure;ClearDepth;IfcPositiveLengthMeasure;IsExternal;IfcBoolean;IP_Code;IfcLabel;NominalLength;IfcNonNegativeLengthMeasure;NominalWidth;IfcNonNegativeLengthMeasure;NominalHeight;IfcNonNegativeLengthMeasure +Pset_JunctionBoxTypeData +Pset_KerbCommon;CombinedKerbGutter;IfcBoolean;Upstand;IfcNonNegativeLengthMeasure;Mountable;IfcBoolean +Pset_KerbStone;NominalHeight;IfcNonNegativeLengthMeasure;NominalLength;IfcNonNegativeLengthMeasure;StoneFinishes;IfcLabel;TypeDesignation;IfcLabel;NominalWidth;IfcNonNegativeLengthMeasure +Pset_LampTypeCommon;Reference;IfcIdentifier;ContributedLuminousFlux;IfcLuminousFluxMeasure;LightEmitterNominalPower;IfcPowerMeasure;LampMaintenanceFactor;IfcReal;ColourAppearance;IfcLabel;Spectrum;IfcNumericMeasure;ColourTemperature;IfcThermodynamicTemperatureMeasure;ColourRenderingIndex;IfcInteger Pset_LandRegistration;LandID;IfcIdentifier;IsPermanentID;IfcBoolean;LandTitleID;IfcIdentifier -Pset_LightFixtureTypeCommon;Reference;IfcIdentifier;NumberOfSources;IfcInteger;TotalWattage;IfcPowerMeasure;MaintenanceFactor;IfcReal;MaximumPlenumSensibleLoad;IfcPowerMeasure;MaximumSpaceSensibleLoad;IfcPowerMeasure;SensibleLoadToRadiant;IfcPositiveRatioMeasure +Pset_LightFixtureTypeCommon;Reference;IfcIdentifier;NumberOfSources;IfcCountMeasure;TotalWattage;IfcPowerMeasure;MaintenanceFactor;IfcReal;MaximumPlenumSensibleLoad;IfcPowerMeasure;MaximumSpaceSensibleLoad;IfcPowerMeasure;SensibleLoadToRadiant;IfcPositiveRatioMeasure Pset_LightFixtureTypeSecurityLighting;FixtureHeight;IfcPositiveLengthMeasure -Pset_ManufacturerOccurrence;AcquisitionDate;IfcDate;BarCode;IfcIdentifier;SerialNumber;IfcIdentifier;BatchReference;IfcIdentifier +Pset_LinearReferencingMethod;LRMName;IfcLabel;UserDefinedLRMType;IfcLabel;LRMUnit;IfcLabel;LRMConstraint;IfcLabel +Pset_MaintenanceStrategy +Pset_MaintenanceTriggerCondition +Pset_MaintenanceTriggerDuration;DurationTargetPerformance;IfcDuration;DurationMaintenanceLevel;IfcDuration;DurationReplacementLevel;IfcDuration;DurationDisposalLevel;IfcDuration +Pset_MaintenanceTriggerPerformance;TargetPerformance;IfcReal;PerformanceMaintenanceLevel;IfcReal;ReplacementLevel;IfcReal;DisposalLevel;IfcReal +Pset_ManufacturerOccurrence;AcquisitionDate;IfcDate;BarCode;IfcIdentifier;SerialNumber;IfcIdentifier;BatchReference;IfcIdentifier;ManufacturingDate;IfcDate Pset_ManufacturerTypeInformation;GlobalTradeItemNumber;IfcIdentifier;ArticleNumber;IfcIdentifier;ModelReference;IfcLabel;ModelLabel;IfcLabel;Manufacturer;IfcLabel;ProductionYear;IfcLabel +Pset_MarineFacilityTransportation;Berths;IfcCountMeasure;BerthGrade;IfcLabel;BerthCargoWeight;IfcMassMeasure +Pset_MarinePartChamberCommon;EffectiveChamberSize;IfcVolumeMeasure;StructuralType;IfcLabel +Pset_MarineVehicleCommon;LengthBetweenPerpendiculars;IfcPositiveLengthMeasure;VesselDepth;IfcLengthMeasure;VesselDraft;IfcLengthMeasure;AboveDeckProjectedWindEnd;IfcAreaMeasure;AboveDeckProjectedWindSide;IfcAreaMeasure;Displacement;IfcMassMeasure;CargoDeadWeight;IfcMassMeasure;LaneMeters;IfcLengthMeasure +Pset_MarineVehicleDesignCriteria;AllowableHullPressure;IfcPressureMeasure;SoftnessCoefficient;IfcPositiveRatioMeasure +Pset_MarkerGenera;ApproachSpeed;IfcLinearVelocityMeasure;NominalHeight;IfcPositiveLengthMeasure;NominalWidth;IfcNonNegativeLengthMeasure +Pset_MarkingLinesCommon;DashedLine;IfcBoolean;DashedLinePattern;IfcLabel;NominalWidth;IfcNonNegativeLengthMeasure Pset_MaterialCombustion;SpecificHeatCapacity;IfcSpecificHeatCapacityMeasure;N20Content;IfcPositiveRatioMeasure;COContent;IfcPositiveRatioMeasure;CO2Content;IfcPositiveRatioMeasure Pset_MaterialCommon;MolecularWeight;IfcMolecularWeightMeasure;Porosity;IfcNormalisedRatioMeasure;MassDensity;IfcMassDensityMeasure Pset_MaterialConcrete;CompressiveStrength;IfcPressureMeasure;MaxAggregateSize;IfcPositiveLengthMeasure;AdmixturesDescription;IfcText;Workability;IfcText;WaterImpermeability;IfcText;ProtectivePoreRatio;IfcNormalisedRatioMeasure Pset_MaterialEnergy;ViscosityTemperatureDerivative;IfcReal;MoistureCapacityThermalGradient;IfcReal;ThermalConductivityTemperatureDerivative;IfcReal;SpecificHeatTemperatureDerivative;IfcReal;VisibleRefractionIndex;IfcReal;SolarRefractionIndex;IfcReal;GasPressure;IfcPressureMeasure -Pset_MaterialFuel;CombustionTemperature;IfcThermodynamicTemperatureMeasure;CarbonContent;IfcPositiveRatioMeasure;LowerHeatingValue;IfcHeatingValueMeasure;HigherHeatingValue;IfcHeatingValueMeasure +Pset_MaterialFue;CombustionTemperature;IfcThermodynamicTemperatureMeasure;CarbonContent;IfcPositiveRatioMeasure;LowerHeatingValue;IfcHeatingValueMeasure;HigherHeatingValue;IfcHeatingValueMeasure Pset_MaterialHygroscopic;UpperVaporResistanceFactor;IfcPositiveRatioMeasure;LowerVaporResistanceFactor;IfcPositiveRatioMeasure;IsothermalMoistureCapacity;IfcIsothermalMoistureCapacityMeasure;VaporPermeability;IfcVaporPermeabilityMeasure;MoistureDiffusivity;IfcMoistureDiffusivityMeasure -Pset_MaterialMechanical;DynamicViscosity;IfcDynamicViscosityMeasure;YoungModulus;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;PoissonRatio;IfcPositiveRatioMeasure;ThermalExpansionCoefficient;IfcThermalExpansionCoefficientMeasure -Pset_MaterialOptical;VisibleTransmittance;IfcPositiveRatioMeasure;SolarTransmittance;IfcPositiveRatioMeasure;ThermalIrTransmittance;IfcPositiveRatioMeasure;ThermalIrEmissivityBack;IfcPositiveRatioMeasure;ThermalIrEmissivityFront;IfcPositiveRatioMeasure;VisibleReflectanceBack;IfcPositiveRatioMeasure;VisibleReflectanceFront;IfcPositiveRatioMeasure;SolarReflectanceBack;IfcPositiveRatioMeasure;SolarReflectanceFront;IfcPositiveRatioMeasure -Pset_MaterialSteel;YieldStress;IfcPressureMeasure;UltimateStress;IfcPressureMeasure;UltimateStrain;IfcPositiveRatioMeasure;HardeningModule;IfcModulusOfElasticityMeasure;ProportionalStress;IfcPressureMeasure;PlasticStrain;IfcPositiveRatioMeasure;Relaxations;IfcNormalisedRatioMeasure -Pset_MaterialThermal;SpecificHeatCapacity;IfcSpecificHeatCapacityMeasure;BoilingPoint;IfcThermodynamicTemperatureMeasure;FreezingPoint;IfcThermodynamicTemperatureMeasure;ThermalConductivity;IfcThermalConductivityMeasure +Pset_MaterialMechanica;DynamicViscosity;IfcDynamicViscosityMeasure;YoungModulus;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;PoissonRatio;IfcPositiveRatioMeasure;ThermalExpansionCoefficient;IfcThermalExpansionCoefficientMeasure +Pset_MaterialOptica;VisibleTransmittance;IfcNormalisedRatioMeasure;SolarTransmittance;IfcNormalisedRatioMeasure;ThermalIrTransmittance;IfcNormalisedRatioMeasure;ThermalIrEmissivityBack;IfcNormalisedRatioMeasure;ThermalIrEmissivityFront;IfcNormalisedRatioMeasure;VisibleReflectanceBack;IfcNormalisedRatioMeasure;VisibleReflectanceFront;IfcNormalisedRatioMeasure;SolarReflectanceBack;IfcNormalisedRatioMeasure;SolarReflectanceFront;IfcNormalisedRatioMeasure +Pset_MaterialStee;YieldStress;IfcPressureMeasure;UltimateStress;IfcPressureMeasure;UltimateStrain;IfcPositiveRatioMeasure;HardeningModule;IfcModulusOfElasticityMeasure;ProportionalStress;IfcPressureMeasure;PlasticStrain;IfcPositiveRatioMeasure;Relaxations;IfcNormalisedRatioMeasure;StructuralGrade;IfcLabel +Pset_MaterialTherma;SpecificHeatCapacity;IfcSpecificHeatCapacityMeasure;BoilingPoint;IfcThermodynamicTemperatureMeasure;FreezingPoint;IfcThermodynamicTemperatureMeasure;ThermalConductivity;IfcThermalConductivityMeasure Pset_MaterialWater;IsPotable;IfcBoolean;Hardness;IfcIonConcentrationMeasure;AlkalinityConcentration;IfcIonConcentrationMeasure;AcidityConcentration;IfcIonConcentrationMeasure;ImpuritiesContent;IfcNormalisedRatioMeasure;DissolvedSolidsContent;IfcNormalisedRatioMeasure;PHLevel;IfcPHMeasure Pset_MaterialWood;Species;IfcLabel;StrengthGrade;IfcLabel;AppearanceGrade;IfcLabel;Layup;IfcLabel;Layers;IfcInteger;Plies;IfcInteger;MoistureContent;IfcPositiveRatioMeasure;DimensionalChangeCoefficient;IfcPositiveRatioMeasure;ThicknessSwelling;IfcPositiveRatioMeasure -Pset_MaterialWoodBasedBeam;ApplicableStructuralDesignMethod;IfcLabel;InPlane;IfcModulusOfElasticityMeasure;YoungModulusMin;IfcModulusOfElasticityMeasure;YoungModulusPerp;IfcModulusOfElasticityMeasure;YoungModulusPerpMin;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;ShearModulusMin;IfcModulusOfElasticityMeasure;BendingStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure;TensileStrengthPerp;IfcPressureMeasure;CompStrength;IfcPressureMeasure;CompStrengthPerp;IfcPressureMeasure;RaisedCompStrengthPerp;IfcPressureMeasure;ShearStrength;IfcPressureMeasure;TorsionalStrength;IfcPressureMeasure;ReferenceDepth;IfcPositiveLengthMeasure;InstabilityFactors;IfcPositiveRatioMeasure;InPlaneNegative;IfcModulusOfElasticityMeasure;YoungModulusMin;IfcModulusOfElasticityMeasure;YoungModulusPerp;IfcModulusOfElasticityMeasure;YoungModulusPerpMin;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;ShearModulusMin;IfcModulusOfElasticityMeasure;BendingStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure;TensileStrengthPerp;IfcPressureMeasure;CompStrength;IfcPressureMeasure;CompStrengthPerp;IfcPressureMeasure;RaisedCompStrengthPerp;IfcPressureMeasure;ShearStrength;IfcPressureMeasure;TorsionalStrength;IfcPressureMeasure;ReferenceDepth;IfcPositiveLengthMeasure;InstabilityFactors;IfcPositiveRatioMeasure;OutOfPlane;IfcModulusOfElasticityMeasure;YoungModulusMin;IfcModulusOfElasticityMeasure;YoungModulusPerp;IfcModulusOfElasticityMeasure;YoungModulusPerpMin;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;ShearModulusMin;IfcModulusOfElasticityMeasure;BendingStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure;TensileStrengthPerp;IfcPressureMeasure;CompStrength;IfcPressureMeasure;CompStrengthPerp;IfcPressureMeasure;RaisedCompStrengthPerp;IfcPressureMeasure;ShearStrength;IfcPressureMeasure;TorsionalStrength;IfcPressureMeasure;ReferenceDepth;IfcPositiveLengthMeasure;InstabilityFactors;IfcPositiveRatioMeasure -Pset_MaterialWoodBasedPanel;ApplicableStructuralDesignMethod;IfcLabel;InPlane;IfcModulusOfElasticityMeasure;YoungModulusTension;IfcModulusOfElasticityMeasure;YoungModulusCompression;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;BendingStrength;IfcPressureMeasure;CompressiveStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure;ShearStrength;IfcPressureMeasure;BearingStrength;IfcPressureMeasure;RaisedCompressiveStrength;IfcPressureMeasure;ReferenceDepth;IfcPositiveLengthMeasure;OutOfPlane;IfcModulusOfElasticityMeasure;YoungModulusTension;IfcModulusOfElasticityMeasure;YoungModulusCompression;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;BendingStrength;IfcPressureMeasure;CompressiveStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure;ShearStrength;IfcPressureMeasure;BearingStrength;IfcPressureMeasure;RaisedCompressiveStrength;IfcPressureMeasure;ReferenceDepth;IfcPositiveLengthMeasure;OutOfPlaneNegative;IfcModulusOfElasticityMeasure;YoungModulusTension;IfcModulusOfElasticityMeasure;YoungModulusCompression;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;BendingStrength;IfcPressureMeasure;CompressiveStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure;ShearStrength;IfcPressureMeasure;BearingStrength;IfcPressureMeasure;RaisedCompressiveStrength;IfcPressureMeasure;ReferenceDepth;IfcPositiveLengthMeasure +Pset_MaterialWoodBasedStructure;ApplicableStructuralDesignMethod;IfcLabel +Pset_MechanicalBeamInPlane;YoungModulus;IfcModulusOfElasticityMeasure;YoungModulusMin;IfcModulusOfElasticityMeasure;YoungModulusPerp;IfcModulusOfElasticityMeasure;YoungModulusPerpMin;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;ShearModulusMin;IfcModulusOfElasticityMeasure;BendingStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure;TensileStrengthPerp;IfcPressureMeasure;CompStrength;IfcPressureMeasure;CompStrengthPerp;IfcPressureMeasure;RaisedCompStrengthPerp;IfcPressureMeasure;ShearStrength;IfcPressureMeasure;TorsionalStrength;IfcPressureMeasure;ReferenceDepth;IfcPositiveLengthMeasure;InstabilityFactors;IfcPositiveRatioMeasure +Pset_MechanicalBeamInPlaneNegative;YoungModulus;IfcModulusOfElasticityMeasure;YoungModulusMin;IfcModulusOfElasticityMeasure;YoungModulusPerp;IfcModulusOfElasticityMeasure;YoungModulusPerpMin;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;ShearModulusMin;IfcModulusOfElasticityMeasure;BendingStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure;TensileStrengthPerp;IfcPressureMeasure;CompStrength;IfcPressureMeasure;CompStrengthPerp;IfcPressureMeasure;RaisedCompStrengthPerp;IfcPressureMeasure;ShearStrength;IfcPressureMeasure;TorsionalStrength;IfcPressureMeasure;ReferenceDepth;IfcPositiveLengthMeasure;InstabilityFactors;IfcPositiveRatioMeasure +Pset_MechanicalBeamOutOfPlane;YoungModulus;IfcModulusOfElasticityMeasure;YoungModulusMin;IfcModulusOfElasticityMeasure;YoungModulusPerp;IfcModulusOfElasticityMeasure;YoungModulusPerpMin;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;ShearModulusMin;IfcModulusOfElasticityMeasure;BendingStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure;TensileStrengthPerp;IfcPressureMeasure;CompStrength;IfcPressureMeasure;CompStrengthPerp;IfcPressureMeasure;RaisedCompStrengthPerp;IfcPressureMeasure;ShearStrength;IfcPressureMeasure;TorsionalStrength;IfcPressureMeasure;ReferenceDepth;IfcPositiveLengthMeasure;InstabilityFactors;IfcPositiveRatioMeasure Pset_MechanicalFastenerAnchorBolt;AnchorBoltLength;IfcPositiveLengthMeasure;AnchorBoltDiameter;IfcPositiveLengthMeasure;AnchorBoltThreadLength;IfcPositiveLengthMeasure;AnchorBoltProtrusionLength;IfcPositiveLengthMeasure Pset_MechanicalFastenerBolt;ThreadDiameter;IfcPositiveLengthMeasure;ThreadLength;IfcPositiveLengthMeasure;NutsCount;IfcCountMeasure;WashersCount;IfcCountMeasure;HeadShape;IfcLabel;KeyShape;IfcLabel;NutShape;IfcLabel;WasherShape;IfcLabel +Pset_MechanicalFastenerOCSFitting;ManufacturingTechnology;IfcLabel +Pset_MechanicalFastenerTypeRailFastening;IsReducedResistanceFastening;IfcBoolean +Pset_MechanicalFastenerTypeRailJoint;IsCWRJoint;IfcBoolean;IsJointInsulated;IfcBoolean;IsLiftingBracketConnection;IfcBoolean;NumberOfScrews;IfcCountMeasure;RailGap;IfcPositiveLengthMeasure;IsJointControlEquipment;IfcBoolean +Pset_MechanicalPanelInPlane;YoungModulusBending;IfcModulusOfElasticityMeasure;YoungModulusTension;IfcModulusOfElasticityMeasure;YoungModulusCompression;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;BendingStrength;IfcPressureMeasure;CompressiveStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure;ShearStrength;IfcPressureMeasure;BearingStrength;IfcPressureMeasure;RaisedCompressiveStrength;IfcPressureMeasure;ReferenceDepth;IfcPositiveLengthMeasure +Pset_MechanicalPanelOutOfPlane;YoungModulusBending;IfcModulusOfElasticityMeasure;YoungModulusTension;IfcModulusOfElasticityMeasure;YoungModulusCompression;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;BendingStrength;IfcPressureMeasure;CompressiveStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure;ShearStrength;IfcPressureMeasure;BearingStrength;IfcPressureMeasure;RaisedCompressiveStrength;IfcPressureMeasure;ReferenceDepth;IfcPositiveLengthMeasure +Pset_MechanicalPanelOutOfPlaneNegative;YoungModulusBending;IfcModulusOfElasticityMeasure;YoungModulusTension;IfcModulusOfElasticityMeasure;YoungModulusCompression;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;BendingStrength;IfcPressureMeasure;CompressiveStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure;ShearStrength;IfcPressureMeasure;BearingStrength;IfcPressureMeasure;RaisedCompressiveStrength;IfcPressureMeasure;ReferenceDepth;IfcPositiveLengthMeasure Pset_MedicalDeviceTypeCommon;Reference;IfcIdentifier Pset_MemberCommon;Reference;IfcIdentifier;Span;IfcPositiveLengthMeasure;Slope;IfcPlaneAngleMeasure;Roll;IfcPlaneAngleMeasure;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean;FireRating;IfcLabel +Pset_MemberTypeAnchoringBar;HasLightningRod;IfcBoolean +Pset_MemberTypeCatenaryStay;NominalLength;IfcNonNegativeLengthMeasure;NominalHeight;IfcNonNegativeLengthMeasure +Pset_MemberTypeOCSRigidSupport;ContactWireStagger;IfcPositiveLengthMeasure +Pset_MemberTypePost;NominalHeight;IfcNonNegativeLengthMeasure;ConicityRatio;IfcRatioMeasure;LoadBearingCapacity;IfcPlanarForceMeasure;WindLoadRating;IfcLabel;TorsionalStrength;IfcPressureMeasure;BendingStrength;IfcPressureMeasure +Pset_MemberTypeTieBar;IsTemporaryInstallation;IfcBoolean +Pset_MobileTeleCommunicationsApplianceTypeRemoteRadioUnit;DownlinkRadioBand;IfcFrequencyMeasure;NumberOfCarriers;IfcCountMeasure;NumberOfInterfaces;IfcInteger;UplinkRadioBand;IfcFrequencyMeasure;NumberOfTransceiversPerAntenna;IfcInteger;RadiatedOutputPowerPerAntenna;IfcPowerMeasure;AntennaType;IfcLabel +Pset_MobileTelecommunicationsApplianceTypeAccessPoint;BandWidth;IfcFrequencyMeasure;DataEncryptionType;IfcLabel;DataExchangeRate;IfcIntegerCountRateMeasure;NumberOfAntennas;IfcCountMeasure;NumberOfInterfaces;IfcInteger;UserCapacity;IfcInteger +Pset_MobileTelecommunicationsApplianceTypeBaseTransceiverStation;DownlinkRadioBand;IfcFrequencyMeasure;NumberOfCarriers;IfcCountMeasure;NumberOfAntennas;IfcCountMeasure;UplinkRadioBand;IfcFrequencyMeasure;ExchangeCapacity;IfcInteger;NumberOfEmergencyTransceivers;IfcCountMeasure;NumberOfTransceiversPerAntenna;IfcInteger;RadiatedOutputPowerPerAntenna;IfcPowerMeasure;NumberOfInterfaces;IfcInteger +Pset_MobileTelecommunicationsApplianceTypeBasebandUnit;NumberOfCarriers;IfcCountMeasure;NumberOfInterfaces;IfcInteger;NumberOfEmergencyTransceivers;IfcCountMeasure;MaximumNumberOfRRUs;IfcInteger +Pset_MobileTelecommunicationsApplianceTypeCommon;Reference;IfcIdentifier +Pset_MobileTelecommunicationsApplianceTypeEUtranNodeB;DownlinkRadioBand;IfcFrequencyMeasure;NumberOfCarriers;IfcCountMeasure;RadiatedOutputPowerPerAntenna;IfcPowerMeasure;NumberOfAntennas;IfcCountMeasure;NumberOfInterfaces;IfcInteger;UplinkRadioBand;IfcFrequencyMeasure +Pset_MobileTelecommunicationsApplianceTypeMSCServer;UserCapacity;IfcInteger;NumberOfInterfaces;IfcInteger +Pset_MobileTelecommunicationsApplianceTypeMasterUnit;NumberOfInterfaces;IfcInteger;MaximumNumberOfConnectedRUs;IfcInteger;TransmittedBandwidth;IfcFrequencyMeasure;TransmittedFrequency;IfcFrequencyMeasure +Pset_MobileTelecommunicationsApplianceTypeMobileSwitchingCenter;UserCapacity;IfcInteger;NumberOfInterfaces;IfcInteger;MaximumNumberOfManagedBSCs;IfcInteger +Pset_MobileTelecommunicationsApplianceTypeRemoteUnit;NumberOfInterfaces;IfcInteger;NumberOfAntennas;IfcCountMeasure +Pset_MooringDeviceCommon;DeviceCapacity;IfcForceMeasure;MinumumLineSlope;IfcPlaneAngleMeasure;MaximumLineSlope;IfcPlaneAngleMeasure;MaximumLineCount;IfcCountMeasure Pset_MotorConnectionTypeCommon;Reference;IfcIdentifier -Pset_OpeningElementCommon;Reference;IfcIdentifier;Purpose;IfcLabel;FireExit;IfcBoolean;ProtectedOpening;IfcBoolean -Pset_OutletTypeCommon;Reference;IfcIdentifier;IsPluggableOutlet;IfcLogical;NumberOfSockets;IfcInteger +Pset_OnSiteCastKerb;NominalHeight;IfcNonNegativeLengthMeasure;NominalWidth;IfcNonNegativeLengthMeasure +Pset_OnSiteTelecomControlUnit;HasEarthquakeAlarm;IfcBoolean;HasEarthquakeCollection;IfcBoolean;HasForeignObjectCollection;IfcBoolean;HasOutputFunction;IfcBoolean;HasRainCollection;IfcBoolean;HasSnowCollection;IfcBoolean;HasWindCollection;IfcBoolean +Pset_OpeningElementCommon;Reference;IfcIdentifier;Purpose;IfcLabel;FireExit;IfcBoolean;FireRating;IfcLabel;AcousticRating;IfcLabel +Pset_OpticalAdapter +Pset_OpticalPigtai;JacketColour;IfcLabel;ConnectorType;IfcLabel +Pset_OpticalSplitter;NumberOfBranches;IfcCountMeasure;NumberOfInterfaces;IfcInteger +Pset_OutletTypeCommon;Reference;IfcIdentifier;IsPluggableOutlet;IfcLogical;NumberOfSockets;IfcCountMeasure Pset_OutsideDesignCriteria;HeatingDryBulb;IfcThermodynamicTemperatureMeasure;HeatingWetBulb;IfcThermodynamicTemperatureMeasure;HeatingDesignDay;IfcDateTime;CoolingDryBulb;IfcThermodynamicTemperatureMeasure;CoolingWetBulb;IfcThermodynamicTemperatureMeasure;CoolingDesignDay;IfcDateTime;WeatherDataStation;IfcText;WeatherDataDate;IfcDateTime;PrevailingWindDirection;IfcPlaneAngleMeasure;PrevailingWindVelocity;IfcLinearVelocityMeasure Pset_PackingInstructions;SpecialInstructions;IfcText +Pset_PatchCordCable;JacketColour;IfcLabel +Pset_PavementCommon;Reference;IfcIdentifier;NominalThicknessEnd;IfcNonNegativeLengthMeasure;StructuralSlope;IfcPositiveRatioMeasure;StructuralSlopeType;IfcLabel;NominalWidth;IfcNonNegativeLengthMeasure;NominalLength;IfcNonNegativeLengthMeasure;NominalThickness;IfcNonNegativeLengthMeasure +Pset_PavementMillingCommon;NominalDepth;IfcNonNegativeLengthMeasure;NominalWidth;IfcNonNegativeLengthMeasure +Pset_PavementSurfaceCommon;PavementRoughness;IfcNumericMeasure;PavementTexture;IfcPositiveLengthMeasure +Pset_PermeableCoveringProperties;FrameDepth;IfcPositiveLengthMeasure;FrameThickness;IfcPositiveLengthMeasure Pset_Permit;EscortRequirement;IfcBoolean;StartDate;IfcDateTime;EndDate;IfcDateTime;SpecialRequirements;IfcText Pset_PileCommon;Reference;IfcIdentifier;LoadBearing;IfcBoolean -Pset_PipeConnectionFlanged;FlangeTable;IfcLabel;FlangeStandard;IfcLabel;BoreSize;IfcPositiveLengthMeasure;FlangeDiameter;IfcPositiveLengthMeasure;FlangeThickness;IfcPositiveLengthMeasure;NumberOfBoltholes;IfcInteger;BoltSize;IfcPositiveLengthMeasure;BoltholePitch;IfcPositiveLengthMeasure -Pset_PipeFittingOccurrence;InteriorRoughnessCoefficient;IfcPositiveLengthMeasure;Color;IfcLabel -Pset_PipeFittingTypeBend;BendAngle;IfcPositivePlaneAngleMeasure;BendRadius;IfcPositiveLengthMeasure +Pset_PipeConnectionFlanged;FlangeTable;IfcLabel;FlangeStandard;IfcLabel;BoreSize;IfcPositiveLengthMeasure;FlangeDiameter;IfcPositiveLengthMeasure;FlangeThickness;IfcPositiveLengthMeasure;NumberOfBoltholes;IfcCountMeasure;BoltSize;IfcPositiveLengthMeasure;BoltholePitch;IfcPositiveLengthMeasure +Pset_PipeFittingOccurrence;InteriorRoughnessCoefficient;IfcPositiveLengthMeasure;Colour;IfcLabel +Pset_PipeFittingPHistory Pset_PipeFittingTypeCommon;Reference;IfcIdentifier;PressureClass;IfcPressureMeasure;PressureRange;IfcPressureMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure;FittingLossFactor;IfcReal -Pset_PipeFittingTypeJunction;JunctionLeftAngle;IfcPositivePlaneAngleMeasure;JunctionLeftRadius;IfcPositiveLengthMeasure;JunctionRightAngle;IfcPositivePlaneAngleMeasure;JunctionRightRadius;IfcPositiveLengthMeasure -Pset_PipeSegmentOccurrence;InteriorRoughnessCoefficient;IfcPositiveLengthMeasure;Color;IfcLabel;Gradient;IfcPositiveRatioMeasure;InvertElevation;IfcLengthMeasure -Pset_PipeSegmentTypeCommon;Reference;IfcIdentifier;WorkingPressure;IfcPressureMeasure;PressureRange;IfcPressureMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure;NominalDiameter;IfcPositiveLengthMeasure;InnerDiameter;IfcPositiveLengthMeasure;OuterDiameter;IfcPositiveLengthMeasure -Pset_PipeSegmentTypeCulvert;InternalWidth;IfcLengthMeasure;ClearDepth;IfcLengthMeasure -Pset_PipeSegmentTypeGutter;Slope;IfcPlaneAngleMeasure;FlowRating;IfcVolumetricFlowRateMeasure +Pset_PipeSegmentOccurrence;InteriorRoughnessCoefficient;IfcPositiveLengthMeasure;Colour;IfcLabel;Gradient;IfcPositiveRatioMeasure;InvertElevation;IfcLengthMeasure +Pset_PipeSegmentPHistory +Pset_PipeSegmentTypeCommon;Reference;IfcIdentifier;WorkingPressure;IfcPressureMeasure;PressureRange;IfcPressureMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure;NominalDiameter;IfcPositiveLengthMeasure;InnerDiameter;IfcPositiveLengthMeasure;OuterDiameter;IfcPositiveLengthMeasure;Length;IfcPositiveLengthMeasure +Pset_PipeSegmentTypeCulvert;InternalWidth;IfcPositiveLengthMeasure;ClearDepth;IfcPositiveLengthMeasure +Pset_PipeSegmentTypeGutter;Slope;IfcPlaneAngleMeasure;FlowRating;IfcVolumetricFlowRateMeasure;OrthometricHeight;IfcLengthMeasure;IsCovered;IfcBoolean;IsMonitored;IfcBoolean Pset_PlateCommon;Reference;IfcIdentifier;AcousticRating;IfcLabel;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean;FireRating;IfcLabel -Pset_PrecastConcreteElementFabrication;TypeDesignator;IfcLabel;ProductionLotId;IfcIdentifier;SerialNumber;IfcIdentifier;PieceMark;IfcLabel;AsBuiltLocationNumber;IfcLabel;ActualProductionDate;IfcDateTime;ActualErectionDate;IfcDateTime -Pset_PrecastConcreteElementGeneral;TypeDesignator;IfcLabel;CornerChamfer;IfcPositiveLengthMeasure;ManufacturingToleranceClass;IfcLabel;FormStrippingStrength;IfcPressureMeasure;LiftingStrength;IfcPressureMeasure;ReleaseStrength;IfcPressureMeasure;MinimumAllowableSupportLength;IfcPositiveLengthMeasure;InitialTension;IfcPressureMeasure;TendonRelaxation;IfcPositiveRatioMeasure;TransportationStrength;IfcPressureMeasure;SupportDuringTransportDescription;IfcText;HollowCorePlugging;IfcLabel;CamberAtMidspan;IfcRatioMeasure;BatterAtStart;IfcPlaneAngleMeasure;BatterAtEnd;IfcPlaneAngleMeasure;Twisting;IfcPlaneAngleMeasure;Shortening;IfcRatioMeasure;PieceMark;IfcLabel;DesignLocationNumber;IfcLabel -Pset_PrecastSlab;TypeDesignator;IfcLabel;ToppingType;IfcLabel;EdgeDistanceToFirstAxis;IfcPositiveLengthMeasure;DistanceBetweenComponentAxes;IfcPositiveLengthMeasure;AngleToFirstAxis;IfcPlaneAngleMeasure;AngleBetweenComponentAxes;IfcPlaneAngleMeasure;NominalThickness;IfcPositiveLengthMeasure;NominalToppingThickness;IfcPositiveLengthMeasure +Pset_PointMachine;ActionBarMovementLength;IfcPositiveLengthMeasure;TractionForce;IfcForceMeasure;ConversionTime;IfcTimeMeasure;LockingForce;IfcForceMeasure;HasLockInside;IfcBoolean;MarkingRodMovementLength;IfcPositiveLengthMeasure;MaximumOperatingTime;IfcTimeMeasure;MinimumOperatingSpeed;IfcAngularVelocityMeasure;Current;IfcElectricCurrentMeasure +Pset_PowerControlSyste +Pset_PrecastConcreteElementFabrication;TypeDesignation;IfcLabel;ProductionLotId;IfcIdentifier;SerialNumber;IfcIdentifier;PieceMark;IfcLabel;AsBuiltLocationNumber;IfcLabel;ActualProductionDate;IfcDateTime;ActualErectionDate;IfcDateTime +Pset_PrecastConcreteElementGenera;TypeDesignation;IfcLabel;CornerChamfer;IfcPositiveLengthMeasure;ManufacturingToleranceClass;IfcLabel;FormStrippingStrength;IfcPressureMeasure;LiftingStrength;IfcPressureMeasure;ReleaseStrength;IfcPressureMeasure;MinimumAllowableSupportLength;IfcPositiveLengthMeasure;InitialTension;IfcPressureMeasure;TendonRelaxation;IfcPositiveRatioMeasure;TransportationStrength;IfcPressureMeasure;SupportDuringTransportDescription;IfcText;HollowCorePlugging;IfcLabel;CamberAtMidspan;IfcRatioMeasure;BatterAtStart;IfcPlaneAngleMeasure;BatterAtEnd;IfcPlaneAngleMeasure;Twisting;IfcPlaneAngleMeasure;Shortening;IfcRatioMeasure;PieceMark;IfcLabel;DesignLocationNumber;IfcLabel +Pset_PrecastKerbStone;NominalHeight;IfcNonNegativeLengthMeasure;NominalLength;IfcNonNegativeLengthMeasure;TypeDesignation;IfcLabel;NominalWidth;IfcNonNegativeLengthMeasure +Pset_PrecastSlab;TypeDesignation;IfcLabel;ToppingType;IfcLabel;EdgeDistanceToFirstAxis;IfcPositiveLengthMeasure;DistanceBetweenComponentAxes;IfcPositiveLengthMeasure;AngleToFirstAxis;IfcPlaneAngleMeasure;AngleBetweenComponentAxes;IfcPlaneAngleMeasure;NominalThickness;IfcNonNegativeLengthMeasure;NominalToppingThickness;IfcPositiveLengthMeasure +Pset_ProcessCapacity;ProcessCapacity;IfcCountMeasure;ProcessPerformance;IfcDuration;DownstreamConnections;IfcLabel;UpstreamConnections;IfcLabel Pset_ProfileArbitraryDoubleT;OverallWidth;IfcPositiveLengthMeasure;LeftFlangeWidth;IfcPositiveLengthMeasure;RightFlangeWidth;IfcPositiveLengthMeasure;OverallDepth;IfcPositiveLengthMeasure;FlangeDepth;IfcPositiveLengthMeasure;FlangeDraft;IfcNonNegativeLengthMeasure;FlangeChamfer;IfcNonNegativeLengthMeasure;FlangeBaseFillet;IfcNonNegativeLengthMeasure;FlangeTopFillet;IfcNonNegativeLengthMeasure;StemBaseWidth;IfcPositiveLengthMeasure;StemTopWidth;IfcPositiveLengthMeasure;StemBaseChamfer;IfcNonNegativeLengthMeasure;StemTopChamfer;IfcNonNegativeLengthMeasure;StemBaseFillet;IfcNonNegativeLengthMeasure;StemTopFillet;IfcNonNegativeLengthMeasure Pset_ProfileArbitraryHollowCore;OverallWidth;IfcPositiveLengthMeasure;OverallDepth;IfcPositiveLengthMeasure;EdgeDraft;IfcNonNegativeLengthMeasure;DraftBaseOffset;IfcNonNegativeLengthMeasure;DraftSideOffset;IfcNonNegativeLengthMeasure;BaseChamfer;IfcNonNegativeLengthMeasure;KeyDepth;IfcNonNegativeLengthMeasure;KeyHeight;IfcNonNegativeLengthMeasure;KeyOffset;IfcNonNegativeLengthMeasure;BottomCover;IfcPositiveLengthMeasure;CoreSpacing;IfcPositiveLengthMeasure;CoreBaseHeight;IfcPositiveLengthMeasure;CoreMiddleHeight;IfcPositiveLengthMeasure;CoreTopHeight;IfcPositiveLengthMeasure;CoreBaseWidth;IfcPositiveLengthMeasure;CoreTopWidth;IfcPositiveLengthMeasure;CenterCoreSpacing;IfcPositiveLengthMeasure;CenterCoreBaseHeight;IfcPositiveLengthMeasure;CenterCoreMiddleHeight;IfcPositiveLengthMeasure;CenterCoreTopHeight;IfcPositiveLengthMeasure;CenterCoreBaseWidth;IfcPositiveLengthMeasure;CenterCoreTopWidth;IfcPositiveLengthMeasure;NumberOfCores;IfcCountMeasure -Pset_ProfileMechanical;MassPerLength;IfcMassPerLengthMeasure;CrossSectionArea;IfcAreaMeasure;Perimeter;IfcPositiveLengthMeasure;MinimumPlateThickness;IfcPositiveLengthMeasure;MaximumPlateThickness;IfcPositiveLengthMeasure;CentreOfGravityInX;IfcLengthMeasure;CentreOfGravityInY;IfcLengthMeasure;ShearCentreZ;IfcLengthMeasure;ShearCentreY;IfcLengthMeasure;MomentOfInertiaY;IfcMomentOfInertiaMeasure;MomentOfInertiaZ;IfcMomentOfInertiaMeasure;MomentOfInertiaYZ;IfcMomentOfInertiaMeasure;TorsionalConstantX;IfcMomentOfInertiaMeasure;WarpingConstant;IfcWarpingConstantMeasure;ShearDeformationAreaZ;IfcAreaMeasure;ShearDeformationAreaY;IfcAreaMeasure;MaximumSectionModulusY;IfcSectionModulusMeasure;MinimumSectionModulusY;IfcSectionModulusMeasure;MaximumSectionModulusZ;IfcSectionModulusMeasure;MinimumSectionModulusZ;IfcSectionModulusMeasure;TorsionalSectionModulus;IfcSectionModulusMeasure;ShearAreaZ;IfcAreaMeasure;ShearAreaY;IfcAreaMeasure;PlasticShapeFactorY;IfcPositiveRatioMeasure;PlasticShapeFactorZ;IfcPositiveRatioMeasure +Pset_ProfileMechanica;MassPerLength;IfcMassPerLengthMeasure;CrossSectionArea;IfcAreaMeasure;Perimeter;IfcPositiveLengthMeasure;MinimumPlateThickness;IfcPositiveLengthMeasure;MaximumPlateThickness;IfcPositiveLengthMeasure;CentreOfGravityInX;IfcLengthMeasure;CentreOfGravityInY;IfcLengthMeasure;ShearCentreZ;IfcLengthMeasure;ShearCentreY;IfcLengthMeasure;MomentOfInertiaY;IfcMomentOfInertiaMeasure;MomentOfInertiaZ;IfcMomentOfInertiaMeasure;MomentOfInertiaYZ;IfcMomentOfInertiaMeasure;TorsionalConstantX;IfcMomentOfInertiaMeasure;WarpingConstant;IfcWarpingConstantMeasure;ShearDeformationAreaZ;IfcAreaMeasure;ShearDeformationAreaY;IfcAreaMeasure;MaximumSectionModulusY;IfcSectionModulusMeasure;MinimumSectionModulusY;IfcSectionModulusMeasure;MaximumSectionModulusZ;IfcSectionModulusMeasure;MinimumSectionModulusZ;IfcSectionModulusMeasure;TorsionalSectionModulus;IfcSectionModulusMeasure;ShearAreaZ;IfcAreaMeasure;ShearAreaY;IfcAreaMeasure;PlasticShapeFactorY;IfcPositiveRatioMeasure;PlasticShapeFactorZ;IfcPositiveRatioMeasure +Pset_ProjectCommon;FundingSource;IfcLabel;ROI;IfcRatioMeasure;PaybackPeriod;IfcDuration Pset_ProjectOrderChangeOrder;ReasonForChange;IfcText;BudgetSource;IfcText Pset_ProjectOrderMaintenanceWorkOrder;ProductDescription;IfcText;WorkTypeRequested;IfcText;ContractualType;IfcText;IfNotAccomplished;IfcText;ScheduledFrequency;IfcTimeMeasure Pset_ProjectOrderMoveOrder;SpecialInstructions;IfcText Pset_ProjectOrderPurchaseOrder;IsFOB;IfcBoolean;ShipMethod;IfcText Pset_ProjectOrderWorkOrder;ProductDescription;IfcText;WorkTypeRequested;IfcText;ContractualType;IfcText;IfNotAccomplished;IfcText -Pset_PropertyAgreement;Identifier;IfcIdentifier;Version;IfcLabel;VersionDate;IfcDate;PropertyName;IfcLabel;CommencementDate;IfcDate;TerminationDate;IfcDate;Duration;IfcDuration;Options;IfcText;ConditionCommencement;IfcText;Restrictions;IfcText;ConditionTermination;IfcText +Pset_PropertyAgreement;TrackingIdentifier;IfcIdentifier;AgreementVersion;IfcLabel;AgreementDate;IfcDate;PropertyName;IfcLabel;CommencementDate;IfcDate;TerminationDate;IfcDate;Duration;IfcDuration;Options;IfcText;ConditionCommencement;IfcText;Restrictions;IfcText;ConditionTermination;IfcText Pset_ProtectiveDeviceBreakerUnitI2TCurve;NominalCurrent;IfcElectricCurrentMeasure;BreakerUnitCurve;IfcReal Pset_ProtectiveDeviceBreakerUnitI2TFuseCurve;BreakerUnitFuseMeltingCurve;IfcReal;BreakerUnitFuseBreakingingCurve;IfcReal Pset_ProtectiveDeviceBreakerUnitIPICurve;NominalCurrent;IfcElectricCurrentMeasure;BreakerUnitIPICurve;IfcElectricCurrentMeasure @@ -220,53 +415,87 @@ Pset_ProtectiveDeviceTrippingFunctionGCurve;IsSelectable;IfcBoolean;NominalCurre Pset_ProtectiveDeviceTrippingFunctionICurve;IsSelectable;IfcBoolean;NominalCurrentAdjusted;IfcBoolean;ReleaseCurrent;IfcElectricCurrentMeasure;ReleaseTime;IfcTimeMeasure;CurrentTolerance1;IfcPositiveRatioMeasure;CurrentToleranceLimit1;IfcTimeMeasure;CurrentTolerance2;IfcPositiveRatioMeasure;IsCurrentTolerancePositiveOnly;IfcBoolean;TimeTolerance1;IfcPositiveRatioMeasure;TimeToleranceLimit1;IfcElectricCurrentMeasure;TimeTolerance2;IfcPositiveRatioMeasure;IsTimeTolerancePositiveOnly;IfcBoolean;MaxAdjustmentX_ICS;IfcElectricCurrentMeasure;IsOffWhenSFunctionOn;IfcBoolean Pset_ProtectiveDeviceTrippingFunctionLCurve;IsSelectable;IfcBoolean;UpperCurrent1;IfcElectricCurrentMeasure;UpperCurrent2;IfcElectricCurrentMeasure;UpperTime1;IfcTimeMeasure;UpperTime2;IfcTimeMeasure;LowerCurrent1;IfcElectricCurrentMeasure;LowerCurrent2;IfcElectricCurrentMeasure;LowerTime1;IfcTimeMeasure;LowerTime2;IfcTimeMeasure Pset_ProtectiveDeviceTrippingFunctionSCurve;IsSelectable;IfcBoolean;NominalCurrentAdjusted;IfcBoolean;ReleaseCurrent;IfcElectricCurrentMeasure;ReleaseTime;IfcTimeMeasure;CurrentTolerance1;IfcPositiveRatioMeasure;CurrentToleranceLimit1;IfcTimeMeasure;CurrentTolerance2;IfcPositiveRatioMeasure;IsCurrentTolerancePositiveOnly;IfcBoolean;TimeTolerance1;IfcPositiveRatioMeasure;TimeToleranceLimit1;IfcElectricCurrentMeasure;TimeTolerance2;IfcPositiveRatioMeasure;IsTimeTolerancePositiveOnly;IfcBoolean;ReleaseCurrentI2tStart;IfcElectricCurrentMeasure;ReleaseTimeI2tStart;IfcTimeMeasure;ReleaseCurrentI2tEnd;IfcElectricCurrentMeasure;ReleaseTimeI2tEnd;IfcTimeMeasure;IsOffWhenLfunctionOn;IfcBoolean -Pset_ProtectiveDeviceTrippingUnitCurrentAdjustment;AdjustmentRange;IfcElectricCurrentMeasure;AdjustmentRangeStepValue;IfcElectricCurrentMeasure;AdjustmentValues;IfcElectricCurrentMeasure;AdjustmentDesignation;IfcLabel -Pset_ProtectiveDeviceTrippingUnitTimeAdjustment;AdjustmentRange;IfcTimeMeasure;AdjustmentRangeStepValue;IfcTimeMeasure;AdjustmentValues;IfcTimeMeasure;AdjustmentDesignation;IfcLabel;CurrentForTimeDelay;IfcTimeMeasure +Pset_ProtectiveDeviceTrippingUnitCurrentAdjustment;CurrentAdjustmentRange;IfcElectricCurrentMeasure;CurrentAdjustmentRangeStepValue;IfcElectricCurrentMeasure;CurrentAdjustmentValues;IfcElectricCurrentMeasure;AdjustmentDesignation;IfcLabel +Pset_ProtectiveDeviceTrippingUnitTimeAdjustment;TimeAdjustmentRange;IfcTimeMeasure;TimeAdjustmentRangeStepValue;IfcTimeMeasure;TimeAdjustmentValues;IfcTimeMeasure;AdjustmentDesignation;IfcLabel;CurrentForTimeDelay;IfcTimeMeasure Pset_ProtectiveDeviceTrippingUnitTypeCommon;Reference;IfcIdentifier;Standard;IfcLabel;UseInDiscrimination;IfcBoolean;AtexVerified;IfcBoolean;OldDevice;IfcBoolean;LimitingTerminalSize;IfcAreaMeasure Pset_ProtectiveDeviceTrippingUnitTypeElectroMagnetic;I1;IfcReal;I2;IfcReal;T2;IfcTimeMeasure;DefinedTemperature;IfcThermodynamicTemperatureMeasure;TemperatureFactor;IfcRatioMeasure;I4;IfcReal;I5;IfcReal;T5;IfcTimeMeasure;CurveDesignation;IfcLabel Pset_ProtectiveDeviceTrippingUnitTypeElectronic;NominalCurrents;IfcElectricCurrentMeasure;N_Protection;IfcBoolean;N_Protection_50;IfcBoolean;N_Protection_100;IfcBoolean;N_Protection_Select;IfcBoolean -Pset_ProtectiveDeviceTrippingUnitTypeThermal;I1;IfcReal;I2;IfcReal;T2;IfcTimeMeasure;DefinedTemperature;IfcThermodynamicTemperatureMeasure;TemperatureFactor;IfcRatioMeasure;CurveDesignation;IfcLabel +Pset_ProtectiveDeviceTrippingUnitTypeResidualCurrent +Pset_ProtectiveDeviceTrippingUnitTypeTherma;I1;IfcReal;I2;IfcReal;T2;IfcTimeMeasure;DefinedTemperature;IfcThermodynamicTemperatureMeasure;TemperatureFactor;IfcRatioMeasure;CurveDesignation;IfcLabel +Pset_ProtectiveDeviceTypeAntiArcingDevice;RatedVoltage;IfcElectricVoltageMeasure;GroundingType;IfcLabel Pset_ProtectiveDeviceTypeCircuitBreaker;PerformanceClasses;IfcLabel;ICU60947;IfcElectricCurrentMeasure;ICS60947;IfcElectricCurrentMeasure;ICW60947;IfcElectricCurrentMeasure;ICM60947;IfcElectricCurrentMeasure Pset_ProtectiveDeviceTypeCommon;Reference;IfcIdentifier Pset_ProtectiveDeviceTypeEarthLeakageCircuitBreaker;Sensitivity;IfcElectricCurrentMeasure -Pset_ProtectiveDeviceTypeFuseDisconnector;IC60269;IfcElectricCurrentMeasure;PowerLoss;IfcPowerMeasure +Pset_ProtectiveDeviceTypeFuseDisconnector;IC60269;IfcElectricCurrentMeasure;PowerLoss;IfcPowerMeasure;NumberOfPhases;IfcCountMeasure;ReferenceEnvironmentTemperature;IfcThermodynamicTemperatureMeasure;BreakingCapacity;IfcElectricCurrentMeasure;ArcExtinctionType;IfcLabel;NumberOfPoles;IfcCountMeasure;TransformationRatio;IfcRatioMeasure;NominalFrequency;IfcFrequencyMeasure;NominalCurrent;IfcElectricCurrentMeasure;RatedVoltage;IfcElectricVoltageMeasure Pset_ProtectiveDeviceTypeResidualCurrentCircuitBreaker;Sensitivity;IfcElectricCurrentMeasure Pset_ProtectiveDeviceTypeResidualCurrentSwitch;Sensitivity;IfcElectricCurrentMeasure +Pset_ProtectiveDeviceTypeSparkGap;BreakdownVoltageTolerance;IfcElectricVoltageMeasure;Capacitance;IfcElectricCapacitanceMeasure;CurrentRMS;IfcElectricCurrentMeasure;PowerDissipation;IfcPowerMeasure;Resistivity;IfcElectricResistanceMeasure +Pset_ProtectiveDeviceTypeVaristor;CharacteristicFunction;IfcText +Pset_ProvisionForVoid;VoidShape;IfcLabel;Width;IfcPositiveLengthMeasure;Height;IfcPositiveLengthMeasure;Diameter;IfcPositiveLengthMeasure;Depth;IfcPositiveLengthMeasure;System;IfcLabel Pset_PumpOccurrence;ImpellerDiameter;IfcPositiveLengthMeasure +Pset_PumpPHistory Pset_PumpTypeCommon;Reference;IfcIdentifier;FlowRateRange;IfcMassFlowRateMeasure;FlowResistanceRange;IfcPressureMeasure;ConnectionSize;IfcPositiveLengthMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure;NetPositiveSuctionHead;IfcPressureMeasure;NominalRotationSpeed;IfcRotationalFrequencyMeasure +Pset_QuayCommon;StructuralType;IfcLabel;BentSpacing;IfcLengthMeasure;Elevation;IfcLengthMeasure +Pset_QuayDesignCriteria;HighWaterLevel;IfcLengthMeasure;LowWaterLevel;IfcLengthMeasure;ExtremeHighWaterLevel;IfcLengthMeasure;ExtremeLowWaterLevel;IfcLengthMeasure;ShipLoading;IfcForceMeasure;WaveLoading;IfcForceMeasure;FlowLoading;IfcForceMeasure;UniformlyDistributedLoad;IfcForceMeasure;EquipmentLoading;IfcForceMeasure +Pset_RadiiKerbStone;Radius;IfcPositiveLengthMeasure +Pset_RailTypeBlade;IsArticulatedBlade;IfcBoolean;IsFallbackBlade;IfcBoolean;NominalLength;IfcNonNegativeLengthMeasure;BladeRadius;IfcPositiveLengthMeasure +Pset_RailTypeCheckRai +Pset_RailTypeGuardRai +Pset_RailTypeRai;MinimumTensileStrength;IfcForceMeasure;IsStainless;IfcBoolean +Pset_RailTypeStockRai;StockRailRadius;IfcPositiveLengthMeasure;NominalLength;IfcNonNegativeLengthMeasure Pset_RailingCommon;Reference;IfcIdentifier;Height;IfcPositiveLengthMeasure;Diameter;IfcPositiveLengthMeasure;IsExternal;IfcBoolean +Pset_RailwayBalise;NominalHeight;IfcNonNegativeLengthMeasure;NominalWidth;IfcNonNegativeLengthMeasure;NominalWeight;IfcMassMeasure;NominalLength;IfcNonNegativeLengthMeasure;FailureInformation;IfcText;DetectionRange;IfcPositiveLengthMeasure;InformationLength;IfcInteger;TransmissionRate;IfcIntegerCountRateMeasure;OperationalTemperatureRange;IfcThermodynamicTemperatureMeasure;IP_Code;IfcLabel +Pset_RailwayCableCarrier;NumberOfCrossedTracks;IfcCountMeasure +Pset_RailwayLevelCrossing;IsAccessibleByVehicle;IfcBoolean;HasRailDrainage;IfcBoolean;IsPrivateOwner;IfcBoolean;PermissiblePavementLoad;IfcMassMeasure;IsSecuredBySignalingSystem;IfcBoolean;IsExceptionalTransportRoute;IfcBoolean +Pset_RailwaySignalAspect;SignalAspectType;IfcLabel;SignLegend;IfcText +Pset_RailwaySignalOccurrence;ApproachSpeed;IfcLinearVelocityMeasure;HandSignallingProhibited;IfcBoolean;LimitedClearances;IfcText;NumberOfLampsNotUsed;IfcCountMeasure;RequiresOLEMesh;IfcBoolean;RequiresSafetyHandrail;IfcBoolean;SignalPostTelephoneID;IfcIdentifier;SignalPostTelephoneType;IfcLabel;SpecialPositionArrangement;IfcLabel;HinderingObstaclesDescription;IfcText;SignalWalkwayLength;IfcPositiveLengthMeasure;RequiresBannerSignal;IfcBoolean;DistanceToStopMark;IfcPositiveLengthMeasure +Pset_RailwaySignalSighting;SignalSightingAchievableDistance;IfcPositiveLengthMeasure;SignalSightingAvailableDistance;IfcPositiveLengthMeasure;SignalSightingCombinedWithRepeater;IfcPositiveLengthMeasure;SignalSightingMinimum;IfcPositiveLengthMeasure;SignalSightingPreferred;IfcPositiveLengthMeasure;SignalSightingRouteIndicator;IfcPositiveLengthMeasure;SignalViewingMinimumInFront;IfcPositiveLengthMeasure +Pset_RailwaySignalType;LensDiffuserType;IfcLabel;HasConductorRailGuardBoard;IfcBoolean;MaximumDisplayDistance;IfcPositiveLengthMeasure;RequiredDisplayDistance;IfcPositiveLengthMeasure;IsHighType;IfcBoolean;SignalHoodLength;IfcPositiveLengthMeasure;HotStripOrientation;IfcLabel;LensDiffuserOrientation;IfcLabel;NumberOfLamps;IfcCountMeasure;SignalMessage;IfcText +Pset_RailwayTrackStructurePart;HasBallastTrack;IfcBoolean;HasCWR;IfcBoolean;IsSunExposed;IfcBoolean Pset_RampCommon;Reference;IfcIdentifier;RequiredHeadroom;IfcPositiveLengthMeasure;RequiredSlope;IfcPlaneAngleMeasure;HandicapAccessible;IfcBoolean;HasNonSkidSurface;IfcBoolean;FireExit;IfcBoolean;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean;FireRating;IfcLabel Pset_RampFlightCommon;Reference;IfcIdentifier;Headroom;IfcPositiveLengthMeasure;ClearWidth;IfcPositiveLengthMeasure;Slope;IfcPlaneAngleMeasure;CounterSlope;IfcPlaneAngleMeasure -Pset_ReinforcementBarCountOfIndependentFooting;Description;IfcText;Reference;IfcLabel;XDirectionLowerBarCount;IfcInteger;YDirectionLowerBarCount;IfcInteger;XDirectionUpperBarCount;IfcInteger;YDirectionUpperBarCount;IfcInteger -Pset_ReinforcementBarPitchOfBeam;Description;IfcText;Reference;IfcLabel;StirrupBarPitch;IfcPositiveLengthMeasure;SpacingBarPitch;IfcPositiveLengthMeasure -Pset_ReinforcementBarPitchOfColumn;Description;IfcText;Reference;IfcLabel;HoopBarPitch;IfcPositiveLengthMeasure;XDirectionTieHoopBarPitch;IfcPositiveLengthMeasure;XDirectionTieHoopCount;IfcInteger;YDirectionTieHoopBarPitch;IfcPositiveLengthMeasure;YDirectionTieHoopCount;IfcInteger +Pset_ReferentCommon;NameFormat;IfcLabel +Pset_ReinforcementBarCountOfIndependentFooting;Description;IfcText;Reference;IfcLabel;XDirectionLowerBarCount;IfcCountMeasure;YDirectionLowerBarCount;IfcCountMeasure;XDirectionUpperBarCount;IfcCountMeasure;YDirectionUpperBarCount;IfcCountMeasure +Pset_ReinforcementBarPitchOfBea;Description;IfcText;Reference;IfcLabel;StirrupBarPitch;IfcPositiveLengthMeasure;SpacingBarPitch;IfcPositiveLengthMeasure +Pset_ReinforcementBarPitchOfColumn;Description;IfcText;Reference;IfcLabel;HoopBarPitch;IfcPositiveLengthMeasure;XDirectionTieHoopBarPitch;IfcPositiveLengthMeasure;XDirectionTieHoopCount;IfcCountMeasure;YDirectionTieHoopBarPitch;IfcPositiveLengthMeasure;YDirectionTieHoopCount;IfcCountMeasure Pset_ReinforcementBarPitchOfContinuousFooting;Description;IfcText;Reference;IfcLabel;CrossingUpperBarPitch;IfcPositiveLengthMeasure;CrossingLowerBarPitch;IfcPositiveLengthMeasure Pset_ReinforcementBarPitchOfSlab;Description;IfcText;Reference;IfcLabel;LongOutsideTopBarPitch;IfcPositiveLengthMeasure;LongInsideCenterTopBarPitch;IfcPositiveLengthMeasure;LongInsideEndTopBarPitch;IfcPositiveLengthMeasure;ShortOutsideTopBarPitch;IfcPositiveLengthMeasure;ShortInsideCenterTopBarPitch;IfcPositiveLengthMeasure;ShortInsideEndTopBarPitch;IfcPositiveLengthMeasure;LongOutsideLowerBarPitch;IfcPositiveLengthMeasure;LongInsideCenterLowerBarPitch;IfcPositiveLengthMeasure;LongInsideEndLowerBarPitch;IfcPositiveLengthMeasure;ShortOutsideLowerBarPitch;IfcPositiveLengthMeasure;ShortInsideCenterLowerBarPitch;IfcPositiveLengthMeasure;ShortInsideEndLowerBarPitch;IfcPositiveLengthMeasure -Pset_ReinforcementBarPitchOfWall;Description;IfcText;Reference;IfcLabel;VerticalBarPitch;IfcPositiveLengthMeasure;HorizontalBarPitch;IfcPositiveLengthMeasure;SpacingBarPitch;IfcPositiveLengthMeasure -Pset_Risk;NatureOfRisk;IfcLabel;SubNatureOfRisk1;IfcLabel;SubNatureOfRisk2;IfcLabel;RiskCause;IfcText;AffectsSurroundings;IfcBoolean;PreventiveMeassures;IfcText -Pset_RoofCommon;Reference;IfcIdentifier;AcousticRating;IfcLabel;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean;FireRating;IfcLabel +Pset_ReinforcementBarPitchOfWa;Description;IfcText;Reference;IfcLabel;VerticalBarPitch;IfcPositiveLengthMeasure;HorizontalBarPitch;IfcPositiveLengthMeasure;SpacingBarPitch;IfcPositiveLengthMeasure +Pset_RepairOccurrence;RepairContent;IfcText;RepairDate;IfcDate;MeanTimeToRepair;IfcTimeMeasure +Pset_RevetmentCommon;StructuralType;IfcLabel;Elevation;IfcLengthMeasure +Pset_Risk;RiskName;IfcLabel;NatureOfRisk;IfcLabel;RiskAssessmentMethodology;IfcLabel;MitigationPlanned;IfcLabel;MitigationProposed;IfcLabel;AssociatedProduct;IfcLabel;AssociatedActivity;IfcLabel;AssociatedLocation;IfcLabel +Pset_RoadDesignCriteriaCommon;Crossfall;IfcRatioMeasure;DesignSpeed;IfcLinearVelocityMeasure;DesignTrafficVolume;IfcCountMeasure;DesignVehicleClass;IfcLabel;LaneWidth;IfcPositiveLengthMeasure;NumberOfThroughLanes;IfcCountMeasure;RoadDesignClass;IfcLabel +Pset_RoadGuardElement;IsMoveable;IfcBoolean;IsTerminal;IfcBoolean;IsTransition;IfcBoolean;TerminalType;IfcLabel +Pset_RoadMarkingCommon;ApplicationMethod;IfcText;DiagramNumber;IfcLabel;MaterialColour;IfcLabel;MaterialThickness;IfcPositiveLengthMeasure;MaterialType;IfcLabel;Structure;IfcLabel +Pset_RoadSymbolsCommon;Text;IfcText;TypeDesignation;IfcLabel +Pset_RoofCommon;Reference;IfcIdentifier;AcousticRating;IfcLabel;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;FireRating;IfcLabel;LoadBearing;IfcBoolean Pset_SanitaryTerminalTypeBath;DrainSize;IfcPositiveLengthMeasure;HasGrabHandles;IfcBoolean Pset_SanitaryTerminalTypeBidet;SpilloverLevel;IfcPositiveLengthMeasure;DrainSize;IfcPositiveLengthMeasure Pset_SanitaryTerminalTypeCistern;CisternCapacity;IfcVolumeMeasure;IsSingleFlush;IfcBoolean;FlushRate;IfcVolumeMeasure;IsAutomaticFlush;IfcBoolean -Pset_SanitaryTerminalTypeCommon;Reference;IfcIdentifier;NominalLength;IfcPositiveLengthMeasure;NominalWidth;IfcPositiveLengthMeasure;NominalDepth;IfcPositiveLengthMeasure;Color;IfcLabel +Pset_SanitaryTerminalTypeCommon;Reference;IfcIdentifier;NominalLength;IfcNonNegativeLengthMeasure;NominalWidth;IfcNonNegativeLengthMeasure;NominalDepth;IfcNonNegativeLengthMeasure;Colour;IfcLabel Pset_SanitaryTerminalTypeSanitaryFountain;DrainSize;IfcPositiveLengthMeasure Pset_SanitaryTerminalTypeShower;HasTray;IfcBoolean;ShowerHeadDescription;IfcText;DrainSize;IfcPositiveLengthMeasure -Pset_SanitaryTerminalTypeSink;Color;IfcLabel;DrainSize;IfcPositiveLengthMeasure;MountingOffset;IfcLengthMeasure +Pset_SanitaryTerminalTypeSink;Colour;IfcLabel;DrainSize;IfcPositiveLengthMeasure;MountingOffset;IfcLengthMeasure Pset_SanitaryTerminalTypeToiletPan;SpilloverLevel;IfcPositiveLengthMeasure -Pset_SanitaryTerminalTypeUrinal;SpilloverLevel;IfcPositiveLengthMeasure +Pset_SanitaryTerminalTypeUrina;SpilloverLevel;IfcPositiveLengthMeasure Pset_SanitaryTerminalTypeWashHandBasin;DrainSize;IfcPositiveLengthMeasure;MountingOffset;IfcLengthMeasure -Pset_SensorTypeCO2Sensor;SetPointConcentration;IfcPositiveRatioMeasure +Pset_SectionInsulator;ACResistance;IfcElectricResistanceMeasure;NumberOfWires;IfcCountMeasure;IsArcSuppressing;IfcBoolean;TensileStrength;IfcForceMeasure +Pset_SectioningDevice +Pset_SensorPHistory +Pset_SensorTypeCO2Sensor;SetPointCO2Concentration;IfcPositiveRatioMeasure Pset_SensorTypeCommon;Reference;IfcIdentifier Pset_SensorTypeConductanceSensor;SetPointConductance;IfcElectricConductanceMeasure Pset_SensorTypeContactSensor;SetPointContact;IfcInteger +Pset_SensorTypeEarthquakeSensor;MarginOfError;IfcRatioMeasure;LinearVelocityResolution;IfcLinearVelocityMeasure;SamplingFrequency;IfcFrequencyMeasure;WorkingState;IfcLabel;DegreeOfLinearity;IfcRatioMeasure;DynamicRange;IfcLinearVelocityMeasure;EarthquakeSensorRange;IfcLinearVelocityMeasure;FullScaleOutput;IfcLinearVelocityMeasure;TransverseSensitivityRatio;IfcRatioMeasure Pset_SensorTypeFireSensor;FireSensorSetPoint;IfcThermodynamicTemperatureMeasure;AccuracyOfFireSensor;IfcThermodynamicTemperatureMeasure;TimeConstant;IfcTimeMeasure Pset_SensorTypeFlowSensor;SetPointFlow;IfcVolumetricFlowRateMeasure +Pset_SensorTypeForeignObjectDetectionSensor;WorkingState;IfcLabel Pset_SensorTypeFrostSensor;SetPointFrost;IfcPositiveRatioMeasure Pset_SensorTypeGasSensor;GasDetected;IfcLabel;SetPointConcentration;IfcPositiveRatioMeasure;CoverageArea;IfcAreaMeasure Pset_SensorTypeHeatSensor;CoverageArea;IfcAreaMeasure;SetPointTemperature;IfcThermodynamicTemperatureMeasure;RateOfTemperatureRise;IfcTemperatureRateOfChangeMeasure Pset_SensorTypeHumiditySensor;SetPointHumidity;IfcPositiveRatioMeasure Pset_SensorTypeIdentifierSensor;SetPointIdentifier;IfcIdentifier -Pset_SensorTypeIonConcentrationSensor;SubstanceDetected;IfcLabel;SetPointConcentration;IfcIonConcentrationMeasure +Pset_SensorTypeIonConcentrationSensor;SubstanceDetected;IfcLabel;SetPointIonConcentration;IfcIonConcentrationMeasure Pset_SensorTypeLevelSensor;SetPointLevel;IfcPositiveLengthMeasure Pset_SensorTypeLightSensor;SetPointIlluminance;IfcIlluminanceMeasure Pset_SensorTypeMoistureSensor;SetPointMoisture;IfcPositiveRatioMeasure @@ -275,56 +504,112 @@ Pset_SensorTypePHSensor;SetPointPH;IfcPHMeasure Pset_SensorTypePressureSensor;SetPointPressure;IfcPressureMeasure;IsSwitch;IfcBoolean Pset_SensorTypeRadiationSensor;SetPointRadiation;IfcPowerMeasure Pset_SensorTypeRadioactivitySensor;SetPointRadioactivity;IfcRadioActivityMeasure +Pset_SensorTypeRainSensor;MarginOfError;IfcRatioMeasure;SamplingFrequency;IfcFrequencyMeasure;WorkingState;IfcLabel;LengthMeasureResolution;IfcLengthMeasure;RainMeasureRange;IfcLengthMeasure Pset_SensorTypeSmokeSensor;CoverageArea;IfcAreaMeasure;SetPointConcentration;IfcPositiveRatioMeasure;HasBuiltInAlarm;IfcBoolean +Pset_SensorTypeSnowSensor;MarginOfError;IfcRatioMeasure;SamplingFrequency;IfcFrequencyMeasure;ImageResolution;IfcLabel;LengthMeasureResolution;IfcLengthMeasure;SnowSensorMeasureRange;IfcLengthMeasure Pset_SensorTypeSoundSensor;SetPointSound;IfcSoundPressureMeasure Pset_SensorTypeTemperatureSensor;SetPointTemperature;IfcThermodynamicTemperatureMeasure -Pset_SensorTypeWindSensor;SetPointSpeed;IfcLinearVelocityMeasure +Pset_SensorTypeTurnoutClosureSensor;DetectionRange;IfcPositiveLengthMeasure;IndicationRodMovementRange;IfcPositiveLengthMeasure +Pset_SensorTypeWindSensor;SetPointSpeed;IfcLinearVelocityMeasure;DampingRatio;IfcRatioMeasure;MarginOfError;IfcRatioMeasure;LinearVelocityResolution;IfcLinearVelocityMeasure;SamplingFrequency;IfcFrequencyMeasure;StartingWindSpeed;IfcLinearVelocityMeasure;WorkingState;IfcLabel;TimeConstant;IfcTimeMeasure;WindAngleRange;IfcPlaneAngleMeasure;WindSpeedRange;IfcLinearVelocityMeasure Pset_ServiceLife;ServiceLifeDuration;IfcDuration;MeanTimeBetweenFailure;IfcDuration Pset_ServiceLifeFactors;QualityOfComponents;IfcPositiveRatioMeasure;DesignLevel;IfcPositiveRatioMeasure;WorkExecutionLevel;IfcPositiveRatioMeasure;IndoorEnvironment;IfcPositiveRatioMeasure;OutdoorEnvironment;IfcPositiveRatioMeasure;InUseConditions;IfcPositiveRatioMeasure;MaintenanceLevel;IfcPositiveRatioMeasure -Pset_ShadingDeviceCommon;Reference;IfcIdentifier;MechanicalOperated;IfcBoolean;SolarTransmittance;IfcPositiveRatioMeasure;SolarReflectance;IfcPositiveRatioMeasure;VisibleLightTransmittance;IfcPositiveRatioMeasure;VisibleLightReflectance;IfcPositiveRatioMeasure;ThermalTransmittance;IfcThermalTransmittanceMeasure;IsExternal;IfcBoolean;Roughness;IfcLabel;SurfaceColor;IfcLabel +Pset_ShadingDeviceCommon;Reference;IfcIdentifier;MechanicalOperated;IfcBoolean;SolarTransmittance;IfcNormalisedRatioMeasure;SolarReflectance;IfcNormalisedRatioMeasure;VisibleLightTransmittance;IfcNormalisedRatioMeasure;VisibleLightReflectance;IfcNormalisedRatioMeasure;ThermalTransmittance;IfcThermalTransmittanceMeasure;IsExternal;IfcBoolean;Roughness;IfcLabel;SurfaceColour;IfcLabel +Pset_ShadingDevicePHistory +Pset_ShipLockCommon;CillLevelUpperHead;IfcLengthMeasure;CillLevelLowerHead;IfcLengthMeasure;WaterDeliveryValveType;IfcLabel;WaterDeliverySystemType;IfcLabel +Pset_ShiplockComple;LockGrade;IfcLabel;LockLines;IfcCountMeasure;LockChamberLevels;IfcCountMeasure;LockMode;IfcLabel +Pset_ShiplockDesignCriteria;MaximumUpstreamNavigableWaterLevel;IfcLengthMeasure;MinimumUpstreamNavigableWaterLevel;IfcLengthMeasure;MaximumDownstreamNavigableWaterLevel;IfcLengthMeasure;MinimumDownstreamNavigableWaterLevel;IfcLengthMeasure;UpstreamMaintenanceWaterLevel;IfcLengthMeasure;DownstreamMaintenanceWaterLevel;IfcLengthMeasure;UpstreamFloodWaterLevel;IfcLengthMeasure;DownstreamFloodWaterLevel;IfcLengthMeasure +Pset_ShipyardCommon;PrimaryProductionType;IfcLabel +Pset_SignCommon;Reference;IfcIdentifier;IsExternal;IfcBoolean;Category;IfcLabel;TactileMarking;IfcBoolean +Pset_SignalFrame;BackboardType;IfcLabel;SignalFrameType;IfcLabel;NominalWidth;IfcNonNegativeLengthMeasure;SignalFrameBackboardHeight;IfcPositiveLengthMeasure;SignalFrameBackboardDiameter;IfcPositiveLengthMeasure Pset_SiteCommon;Reference;IfcIdentifier;BuildableArea;IfcAreaMeasure;SiteCoverageRatio;IfcPositiveRatioMeasure;FloorAreaRatio;IfcPositiveRatioMeasure;BuildingHeightLimit;IfcPositiveLengthMeasure;TotalArea;IfcAreaMeasure +Pset_SiteWeather;MaxAmbientTemp;IfcThermodynamicTemperatureMeasure;MinAmbientTemp;IfcThermodynamicTemperatureMeasure Pset_SlabCommon;Reference;IfcIdentifier;AcousticRating;IfcLabel;FireRating;IfcLabel;PitchAngle;IfcPlaneAngleMeasure;Combustible;IfcBoolean;SurfaceSpreadOfFlame;IfcLabel;Compartmentation;IfcBoolean;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean +Pset_SlabTypeTrackSlab Pset_SolarDeviceTypeCommon;Reference;IfcIdentifier +Pset_SolidStratumCapacity;CohesionBehaviour;IfcPressureMeasure;FrictionAngle;IfcPlaneAngleMeasure;FrictionBehaviour;IfcPressureMeasure;GrainSize;IfcPositiveLengthMeasure;HydraulicConductivity;IfcLinearVelocityMeasure;LoadBearingCapacity;IfcPlanarForceMeasure;NValue;IfcCountMeasure;PermeabilityBehaviour;IfcRatioMeasure;PoisonsRatio;IfcRatioMeasure;PwaveVelocity;IfcLinearVelocityMeasure;Resistivity;IfcElectricResistanceMeasure;SettlementBehaviour;IfcPressureMeasure;SwaveVelocity;IfcLinearVelocityMeasure +Pset_SolidStratumComposition;AirVolume;IfcVolumeMeasure;BouldersVolume;IfcVolumeMeasure;ClayVolume;IfcVolumeMeasure;CobblesVolume;IfcVolumeMeasure;ContaminantVolume;IfcVolumeMeasure;FillVolume;IfcVolumeMeasure;GravelVolume;IfcVolumeMeasure;OrganicVolume;IfcVolumeMeasure;RockVolume;IfcVolumeMeasure;SandVolume;IfcVolumeMeasure;SiltVolume;IfcVolumeMeasure;WaterVolume;IfcVolumeMeasure Pset_SoundAttenuation;SoundFrequency;IfcFrequencyMeasure Pset_SoundGeneration;SoundCurve;IfcSoundPowerMeasure +Pset_SpaceAirHandlingDimensioning;CoolingDesignAirFlow;IfcVolumetricFlowRateMeasure;HeatingDesignAirFlow;IfcVolumetricFlowRateMeasure;SensibleHeatGain;IfcPowerMeasure;TotalHeatGain;IfcPowerMeasure;TotalHeatLoss;IfcPowerMeasure;CoolingDryBulb;IfcThermodynamicTemperatureMeasure;CoolingRelativeHumidity;IfcPositiveRatioMeasure;HeatingDryBulb;IfcThermodynamicTemperatureMeasure;HeatingRelativeHumidity;IfcPositiveRatioMeasure;VentilationDesignAirFlow;IfcVolumetricFlowRateMeasure;DesignAirFlow;IfcVolumetricFlowRateMeasure;CeilingRAPlenum;IfcBoolean;BoundaryAreaHeatLoss;IfcHeatFluxDensityMeasure Pset_SpaceCommon;Reference;IfcIdentifier;IsExternal;IfcBoolean;GrossPlannedArea;IfcAreaMeasure;NetPlannedArea;IfcAreaMeasure;PubliclyAccessible;IfcBoolean;HandicapAccessible;IfcBoolean Pset_SpaceCoveringRequirements;FloorCovering;IfcLabel;FloorCoveringThickness;IfcPositiveLengthMeasure;WallCovering;IfcLabel;WallCoveringThickness;IfcPositiveLengthMeasure;CeilingCovering;IfcLabel;CeilingCoveringThickness;IfcPositiveLengthMeasure;SkirtingBoard;IfcLabel;SkirtingBoardHeight;IfcPositiveLengthMeasure;Molding;IfcLabel;MoldingHeight;IfcPositiveLengthMeasure;ConcealedFlooring;IfcBoolean;ConcealedFlooringOffset;IfcNonNegativeLengthMeasure;ConcealedCeiling;IfcBoolean;ConcealedCeilingOffset;IfcNonNegativeLengthMeasure Pset_SpaceFireSafetyRequirements;FireRiskFactor;IfcLabel;FlammableStorage;IfcBoolean;FireExit;IfcBoolean;SprinklerProtection;IfcBoolean;SprinklerProtectionAutomatic;IfcBoolean;AirPressurization;IfcBoolean -Pset_SpaceHeaterTypeCommon;Reference;IfcIdentifier;BodyMass;IfcMassMeasure;ThermalMassHeatCapacity;IfcReal;OutputCapacity;IfcPowerMeasure;ThermalEfficiency;IfcNormalisedRatioMeasure;NumberOfPanels;IfcInteger;NumberOfSections;IfcInteger +Pset_SpaceHVACDesign;TemperatureSetPoint;IfcThermodynamicTemperatureMeasure;TemperatureMax;IfcThermodynamicTemperatureMeasure;TemperatureMin;IfcThermodynamicTemperatureMeasure;TemperatureSummerMax;IfcThermodynamicTemperatureMeasure;TemperatureSummerMin;IfcThermodynamicTemperatureMeasure;TemperatureWinterMax;IfcThermodynamicTemperatureMeasure;TemperatureWinterMin;IfcThermodynamicTemperatureMeasure;HumiditySetPoint;IfcPositiveRatioMeasure;HumidityMax;IfcPositiveRatioMeasure;HumidityMin;IfcPositiveRatioMeasure;HumiditySummer;IfcPositiveRatioMeasure;HumidityWinter;IfcPositiveRatioMeasure;DiscontinuedHeating;IfcBoolean;NaturalVentilation;IfcBoolean;NaturalVentilationRate;IfcNumericMeasure;MechanicalVentilation;IfcBoolean;MechanicalVentilationRate;IfcNumericMeasure;AirConditioning;IfcBoolean;AirConditioningCentral;IfcBoolean;AirHandlingName;IfcLabel +Pset_SpaceHeaterPHistory +Pset_SpaceHeaterTypeCommon;Reference;IfcIdentifier;BodyMass;IfcMassMeasure;ThermalMassHeatCapacity;IfcReal;OutputCapacity;IfcPowerMeasure;ThermalEfficiency;IfcNormalisedRatioMeasure;NumberOfPanels;IfcCountMeasure;NumberOfSections;IfcCountMeasure +Pset_SpaceHeaterTypeConvector Pset_SpaceHeaterTypeRadiator;TubingLength;IfcPositiveLengthMeasure;WaterContent;IfcMassMeasure -Pset_SpaceLightingRequirements;ArtificialLighting;IfcBoolean;Illuminance;IfcIlluminanceMeasure +Pset_SpaceLightingDesign;ArtificialLighting;IfcBoolean;Illuminance;IfcIlluminanceMeasure Pset_SpaceOccupancyRequirements;OccupancyType;IfcLabel;OccupancyNumber;IfcCountMeasure;OccupancyNumberPeak;IfcCountMeasure;OccupancyTimePerDay;IfcTimeMeasure;AreaPerOccupant;IfcAreaMeasure;MinimumHeadroom;IfcLengthMeasure;IsOutlookDesirable;IfcBoolean Pset_SpaceParking;ParkingUse;IfcLabel;ParkingUnits;IfcCountMeasure;IsAisle;IfcBoolean;IsOneWay;IfcBoolean -Pset_SpaceThermalDesign;CoolingDesignAirflow;IfcVolumetricFlowRateMeasure;HeatingDesignAirflow;IfcVolumetricFlowRateMeasure;TotalSensibleHeatGain;IfcPowerMeasure;TotalHeatGain;IfcPowerMeasure;TotalHeatLoss;IfcPowerMeasure;CoolingDryBulb;IfcThermodynamicTemperatureMeasure;CoolingRelativeHumidity;IfcPositiveRatioMeasure;HeatingDryBulb;IfcThermodynamicTemperatureMeasure;HeatingRelativeHumidity;IfcPositiveRatioMeasure;VentilationAirFlowrate;IfcVolumetricFlowRateMeasure;ExhaustAirFlowrate;IfcVolumetricFlowRateMeasure;CeilingRAPlenum;IfcBoolean;BoundaryAreaHeatLoss;IfcHeatFluxDensityMeasure Pset_SpaceThermalLoad;People;IfcPowerMeasure;Lighting;IfcPowerMeasure;EquipmentSensible;IfcPowerMeasure;VentilationIndoorAir;IfcPowerMeasure;VentilationOutdoorAir;IfcPowerMeasure;RecirculatedAir;IfcPowerMeasure;ExhaustAir;IfcPowerMeasure;AirExchangeRate;IfcPowerMeasure;DryBulbTemperature;IfcPowerMeasure;RelativeHumidity;IfcPowerMeasure;InfiltrationSensible;IfcPowerMeasure;TotalSensibleLoad;IfcPowerMeasure;TotalLatentLoad;IfcPowerMeasure;TotalRadiantLoad;IfcPowerMeasure -Pset_SpaceThermalRequirements;SpaceTemperature;IfcThermodynamicTemperatureMeasure;SpaceTemperatureMax;IfcThermodynamicTemperatureMeasure;SpaceTemperatureMin;IfcThermodynamicTemperatureMeasure;SpaceTemperatureSummerMax;IfcThermodynamicTemperatureMeasure;SpaceTemperatureSummerMin;IfcThermodynamicTemperatureMeasure;SpaceTemperatureWinterMax;IfcThermodynamicTemperatureMeasure;SpaceTemperatureWinterMin;IfcThermodynamicTemperatureMeasure;SpaceHumidity;IfcRatioMeasure;SpaceHumidityMax;IfcRatioMeasure;SpaceHumidityMin;IfcRatioMeasure;SpaceHumiditySummer;IfcRatioMeasure;SpaceHumidityWinter;IfcRatioMeasure;DiscontinuedHeating;IfcBoolean;NaturalVentilation;IfcBoolean;NaturalVentilationRate;IfcCountMeasure;MechanicalVentilationRate;IfcCountMeasure;AirConditioning;IfcBoolean;AirConditioningCentral;IfcBoolean -Pset_SpatialZoneCommon;Reference;IfcLabel;IsExternal;IfcBoolean +Pset_SpaceThermalLoadPHistory +Pset_SpaceThermalPHistory +Pset_SpatialZoneCommon;Reference;IfcIdentifier;IsExternal;IfcBoolean +Pset_SpringTensioner;TensileStrength;IfcPressureMeasure;NominalWeight;IfcMassMeasure;TensioningWorkingRange;IfcForceMeasure Pset_StackTerminalTypeCommon;Reference;IfcIdentifier Pset_StairCommon;Reference;IfcIdentifier;NumberOfRiser;IfcCountMeasure;NumberOfTreads;IfcCountMeasure;RiserHeight;IfcPositiveLengthMeasure;TreadLength;IfcPositiveLengthMeasure;NosingLength;IfcLengthMeasure;WalkingLineOffset;IfcPositiveLengthMeasure;TreadLengthAtOffset;IfcPositiveLengthMeasure;TreadLengthAtInnerSide;IfcPositiveLengthMeasure;WaistThickness;IfcPositiveLengthMeasure;RequiredHeadroom;IfcPositiveLengthMeasure;HandicapAccessible;IfcBoolean;HasNonSkidSurface;IfcBoolean;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean;FireRating;IfcLabel;FireExit;IfcBoolean Pset_StairFlightCommon;Reference;IfcIdentifier;NumberOfRiser;IfcCountMeasure;NumberOfTreads;IfcCountMeasure;RiserHeight;IfcPositiveLengthMeasure;TreadLength;IfcPositiveLengthMeasure;NosingLength;IfcLengthMeasure;WalkingLineOffset;IfcPositiveLengthMeasure;TreadLengthAtOffset;IfcPositiveLengthMeasure;TreadLengthAtInnerSide;IfcPositiveLengthMeasure;Headroom;IfcPositiveLengthMeasure;WaistThickness;IfcPositiveLengthMeasure +Pset_Stationing;IncomingStation;IfcLengthMeasure;Station;IfcLengthMeasure;HasIncreasingStation;IfcBoolean Pset_StructuralSurfaceMemberVaryingThickness;Thickness1;IfcPositiveLengthMeasure;Location1Local;IfcLengthMeasure;Location1Global;IfcLengthMeasure;Thickness2;IfcPositiveLengthMeasure;Location2Local;IfcLengthMeasure;Location2Global;IfcLengthMeasure;Thickness3;IfcPositiveLengthMeasure;Location3Local;IfcLengthMeasure;Location3Global;IfcLengthMeasure -Pset_SwitchingDeviceTypeCommon;Reference;IfcIdentifier;NumberOfGangs;IfcInteger;HasLock;IfcBoolean;IsIlluminated;IfcBoolean;Legend;IfcLabel;SetPoint;IfcLabel -Pset_SystemFurnitureElementTypeCommon;IsUsed;IfcBoolean;GroupCode;IfcIdentifier;NominalWidth;IfcPositiveLengthMeasure;NominalHeight;IfcPositiveLengthMeasure;Finishing;IfcLabel -Pset_SystemFurnitureElementTypePanel;HasOpening;IfcBoolean;NominalThickness;IfcPositiveLengthMeasure -Pset_SystemFurnitureElementTypeWorkSurface;UsePurpose;IfcLabel;HangingHeight;IfcPositiveLengthMeasure;NominalThickness;IfcPositiveLengthMeasure;ShapeDescription;IfcLabel +Pset_SumpBusterCommon;TypeDesignation;IfcLabel +Pset_Superelevation;Superelevation;IfcRatioMeasure +Pset_SwitchingDeviceTypeCommon;Reference;IfcIdentifier;NumberOfGangs;IfcCountMeasure;HasLock;IfcBoolean;IsIlluminated;IfcBoolean;Legend;IfcLabel;SetPoint;IfcLabel +Pset_SwitchingDeviceTypeContactor +Pset_SwitchingDeviceTypeDimmerSwitch +Pset_SwitchingDeviceTypeEmergencyStop;NumberOfPhases;IfcCountMeasure;ReferenceEnvironmentTemperature;IfcThermodynamicTemperatureMeasure;BreakingCapacity;IfcElectricCurrentMeasure;NumberOfEarthFaultRelays;IfcCountMeasure;NumberOfEmergencyButtons;IfcCountMeasure;NumberOfRelays;IfcCountMeasure;NumberOfOverCurrentRelays;IfcCountMeasure;NumberOfAffectedPoles;IfcCountMeasure;NominalCurrent;IfcElectricCurrentMeasure;RatedFrequency;IfcFrequencyMeasure;RatedVoltage;IfcElectricVoltageMeasure;TransformationRatio;IfcPositiveRatioMeasure +Pset_SwitchingDeviceTypeKeypad +Pset_SwitchingDeviceTypeMomentarySwitch +Pset_SwitchingDeviceTypePHistory +Pset_SwitchingDeviceTypeRelay;NominalHeight;IfcNonNegativeLengthMeasure;Current;IfcElectricCurrentMeasure;NominalLength;IfcNonNegativeLengthMeasure;InsulationResistance;IfcElectricResistanceMeasure;NominalWidth;IfcNonNegativeLengthMeasure;ContactResistance;IfcElectricResistanceMeasure;PullInVoltage;IfcElectricVoltageMeasure;ReleaseVoltage;IfcElectricVoltageMeasure;Voltage;IfcElectricVoltageMeasure +Pset_SwitchingDeviceTypeSelectorSwitch;NominalCurrent;IfcElectricCurrentMeasure;ReferenceEnvironmentTemperature;IfcThermodynamicTemperatureMeasure;RatedFrequency;IfcFrequencyMeasure;NumberOfPhases;IfcCountMeasure;NominalPower;IfcPowerMeasure +Pset_SwitchingDeviceTypeStarter +Pset_SwitchingDeviceTypeSwitchDisconnector +Pset_SwitchingDeviceTypeToggleSwitch +Pset_SymmetricPairCable;NumberOfTwistedPairs;IfcCountMeasure;NumberOfUntwistedPairs;IfcCountMeasure +Pset_SystemFurnitureElementTypeCommon;IsUsed;IfcBoolean;GroupCode;IfcIdentifier;NominalWidth;IfcNonNegativeLengthMeasure;NominalHeight;IfcPositiveLengthMeasure;Finishing;IfcLabel +Pset_SystemFurnitureElementTypePane;HasOpening;IfcBoolean;NominalThickness;IfcNonNegativeLengthMeasure +Pset_SystemFurnitureElementTypeSubrack;NumberOfSlots;IfcCountMeasure;NumberOfUnits;IfcCountMeasure;NumberOfOccupiedUnits;IfcCountMeasure +Pset_SystemFurnitureElementTypeWorkSurface;UsePurpose;IfcLabel;HangingHeight;IfcPositiveLengthMeasure;NominalThickness;IfcNonNegativeLengthMeasure;ShapeDescription;IfcLabel Pset_TankOccurrence;HasLadder;IfcBoolean;HasVisualIndicator;IfcBoolean -Pset_TankTypeCommon;Reference;IfcIdentifier;NominalLengthOrDiameter;IfcPositiveLengthMeasure;NominalWidthOrDiameter;IfcPositiveLengthMeasure;NominalDepth;IfcPositiveLengthMeasure;NominalCapacity;IfcVolumeMeasure;EffectiveCapacity;IfcVolumeMeasure;OperatingWeight;IfcMassMeasure;FirstCurvatureRadius;IfcPositiveLengthMeasure;SecondCurvatureRadius;IfcPositiveLengthMeasure;NumberOfSections;IfcInteger +Pset_TankTypeCommon;Reference;IfcIdentifier;NominalLengthOrDiameter;IfcPositiveLengthMeasure;NominalWidthOrDiameter;IfcPositiveLengthMeasure;NominalDepth;IfcNonNegativeLengthMeasure;TankNominalCapacity;IfcVolumeMeasure;EffectiveCapacity;IfcVolumeMeasure;OperatingWeight;IfcMassMeasure;FirstCurvatureRadius;IfcPositiveLengthMeasure;SecondCurvatureRadius;IfcPositiveLengthMeasure;NumberOfSections;IfcCountMeasure Pset_TankTypeExpansion;ChargePressure;IfcPressureMeasure;PressureRegulatorSetting;IfcPressureMeasure;ReliefValveSetting;IfcPressureMeasure Pset_TankTypePreformed;FirstCurvatureRadius;IfcPositiveLengthMeasure;SecondCurvatureRadius;IfcPositiveLengthMeasure -Pset_TankTypePressureVessel;ChargePressure;IfcPressureMeasure;PressureRegulatorSetting;IfcPressureMeasure;ReliefValveSetting;IfcPressureMeasure -Pset_TankTypeSectional;NumberOfSections;IfcInteger;SectionLength;IfcPositiveLengthMeasure;SectionWidth;IfcPositiveLengthMeasure -Pset_ThermalLoadAggregate;TotalCoolingLoad;IfcPowerMeasure;TotalHeatingLoad;IfcPowerMeasure;LightingDiversity;IfcPositiveRatioMeasure;InfiltrationDiversitySummer;IfcPositiveRatioMeasure;InfiltrationDiversityWinter;IfcPositiveRatioMeasure;ApplianceDiversity;IfcPositiveRatioMeasure;LoadSafetyFactor;IfcPositiveRatioMeasure -Pset_ThermalLoadDesignCriteria;OccupancyDiversity;IfcPositiveRatioMeasure;OutsideAirPerPerson;IfcVolumetricFlowRateMeasure;ReceptacleLoadIntensity;IfcReal;AppliancePercentLoadToRadiant;IfcPositiveRatioMeasure;LightingLoadIntensity;IfcReal;LightingPercentLoadToReturnAir;IfcPositiveRatioMeasure +Pset_TankTypePressureVesse;ChargePressure;IfcPressureMeasure;PressureRegulatorSetting;IfcPressureMeasure;ReliefValveSetting;IfcPressureMeasure +Pset_TankTypeSectiona;NumberOfSections;IfcCountMeasure;SectionLength;IfcPositiveLengthMeasure;SectionWidth;IfcPositiveLengthMeasure +Pset_TelecomCableGenera;Attenuation;IfcReal;FireRating;IfcLabel;IsFireResistant;IfcBoolean;NominalDiameter;IfcPositiveLengthMeasure;JacketColour;IfcLabel +Pset_ThermalLoad;OccupancyDiversity;IfcPositiveRatioMeasure;LightingDiversity;IfcPositiveRatioMeasure;ApplianceDiversity;IfcPositiveRatioMeasure;OutsideAirPerPerson;IfcVolumetricFlowRateMeasure;ReceptacleLoadIntensity;IfcHeatFluxDensityMeasure;AppliancePercentLoadToRadiant;IfcPositiveRatioMeasure;LightingLoadIntensity;IfcHeatFluxDensityMeasure;LightingPercentLoadToReturnAir;IfcPositiveRatioMeasure;TotalCoolingLoad;IfcPowerMeasure;TotalHeatingLoad;IfcPowerMeasure;InfiltrationDiversitySummer;IfcPositiveRatioMeasure;InfiltrationDiversityWinter;IfcPositiveRatioMeasure;LoadSafetyFactor;IfcPositiveRatioMeasure +Pset_TicketProcessing;TicketProcessingTime;IfcTimeMeasure;TicketStuckRatio;IfcRatioMeasure +Pset_TicketVendingMachine;TicketStuckRatio;IfcRatioMeasure;MoneyStuckRatio;IfcRatioMeasure;TicketProductionSpeed;IfcIntegerCountRateMeasure +Pset_Tiling;Permeability;IfcNormalisedRatioMeasure;TileLength;IfcPositiveLengthMeasure;TileWidth;IfcPositiveLengthMeasure +Pset_Tolerance;ToleranceDescription;IfcText;OverallTolerance;IfcPositiveLengthMeasure;HorizontalTolerance;IfcPositiveLengthMeasure;OrthogonalTolerance;IfcPositiveLengthMeasure;VerticalTolerance;IfcPositiveLengthMeasure;PlanarFlatness;IfcPositiveLengthMeasure;HorizontalFlatness;IfcPositiveLengthMeasure;ElevationalFlatness;IfcPositiveLengthMeasure;SideFlatness;IfcPositiveLengthMeasure;OverallOrthogonality;IfcPlaneAngleMeasure;HorizontalOrthogonality;IfcPlaneAngleMeasure;OrthogonalOrthogonality;IfcPlaneAngleMeasure;VerticalOrthogonality;IfcPlaneAngleMeasure;OverallStraightness;IfcPositiveLengthMeasure;HorizontalStraightness;IfcPositiveLengthMeasure;OrthogonalStraightness;IfcPositiveLengthMeasure;VerticalStraightness;IfcPositiveLengthMeasure +Pset_TrackBase;IsSurfaceGalling;IfcBoolean;SurfaceGallingArea;IfcAreaMeasure +Pset_TrackElementOccurrenceSleeper;HasSpecialEquipment;IfcBoolean;SequenceInTrackPanel;IfcInteger;IsContaminatedSleeper;IfcBoolean +Pset_TrackElementPHistoryDerailer +Pset_TrackElementTypeDerailer;AppliedLineLoad;IfcMassPerLengthMeasure;DerailmentMaximumSpeedLimit;IfcLinearVelocityMeasure;DerailmentWheelDiameter;IfcPositiveLengthMeasure;DerailmentHeight;IfcPositiveLengthMeasure +Pset_TrackElementTypeSleeper;FasteningType;IfcLabel;IsElectricallyInsulated;IfcBoolean;HollowSleeperUsage;IfcLabel;NumberOfTrackCenters;IfcCountMeasure;IsHollowSleeper;IfcBoolean +Pset_TractionPowerSyste;RatedFrequency;IfcFrequencyMeasure;NominalVoltage;IfcElectricVoltageMeasure +Pset_TrafficCalmingDeviceCommon;TypeDesignation;IfcLabel Pset_TransformerTypeCommon;Reference;IfcIdentifier;PrimaryVoltage;IfcElectricVoltageMeasure;SecondaryVoltage;IfcElectricVoltageMeasure;PrimaryCurrent;IfcElectricCurrentMeasure;SecondaryCurrent;IfcElectricCurrentMeasure;PrimaryFrequency;IfcFrequencyMeasure;SecondaryFrequency;IfcFrequencyMeasure;PrimaryApparentPower;IfcPowerMeasure;SecondaryApparentPower;IfcPowerMeasure;MaximumApparentPower;IfcPowerMeasure;ShortCircuitVoltage;IfcComplexNumber;RealImpedanceRatio;IfcRatioMeasure;ImaginaryImpedanceRatio;IfcRatioMeasure;IsNeutralPrimaryTerminalAvailable;IfcBoolean;IsNeutralSecondaryTerminalAvailable;IfcBoolean +Pset_TransitionSectionCommon;NominalLength;IfcNonNegativeLengthMeasure Pset_TransportElementCommon;Reference;IfcIdentifier;CapacityPeople;IfcCountMeasure;CapacityWeight;IfcMassMeasure;FireExit;IfcBoolean Pset_TransportElementElevator;FireFightingLift;IfcBoolean;ClearWidth;IfcPositiveLengthMeasure;ClearDepth;IfcPositiveLengthMeasure;ClearHeight;IfcPositiveLengthMeasure -Pset_TubeBundleTypeCommon;Reference;IfcIdentifier;NumberOfRows;IfcInteger;StaggeredRowSpacing;IfcPositiveLengthMeasure;InLineRowSpacing;IfcPositiveLengthMeasure;NumberOfCircuits;IfcInteger;FoulingFactor;IfcThermalResistanceMeasure;ThermalConductivity;IfcThermalConductivityMeasure;Length;IfcPositiveLengthMeasure;Volume;IfcVolumeMeasure;NominalDiameter;IfcPositiveLengthMeasure;OutsideDiameter;IfcPositiveLengthMeasure;InsideDiameter;IfcPositiveLengthMeasure;HorizontalSpacing;IfcPositiveLengthMeasure;VerticalSpacing;IfcPositiveLengthMeasure;HasTurbulator;IfcBoolean +Pset_TransportEquipmentOTN;SingleChannelAveragePower;IfcPowerMeasure;ChromaticDispersionTolerance;IfcReal;SingleChannelPower;IfcPowerMeasure;MinimumOpticalSignalToNoiseRatio;IfcRatioMeasure;PolarizationModeDispersionTolerance;IfcTimeMeasure;SingleWaveTransmissionRate;IfcFrequencyMeasure;EquipmentCapacity;IfcIntegerCountRateMeasure +Pset_TrenchExcavationCommon;NominalDepth;IfcNonNegativeLengthMeasure;NominalWidth;IfcNonNegativeLengthMeasure +Pset_TubeBundleTypeCommon;Reference;IfcIdentifier;NumberOfRows;IfcCountMeasure;StaggeredRowSpacing;IfcPositiveLengthMeasure;InLineRowSpacing;IfcPositiveLengthMeasure;NumberOfCircuits;IfcCountMeasure;FoulingFactor;IfcThermalResistanceMeasure;ThermalConductivity;IfcThermalConductivityMeasure;Length;IfcPositiveLengthMeasure;Volume;IfcVolumeMeasure;NominalDiameter;IfcPositiveLengthMeasure;OutsideDiameter;IfcPositiveLengthMeasure;InsideDiameter;IfcPositiveLengthMeasure;HorizontalSpacing;IfcPositiveLengthMeasure;VerticalSpacing;IfcPositiveLengthMeasure;HasTurbulator;IfcBoolean Pset_TubeBundleTypeFinned;Spacing;IfcPositiveLengthMeasure;Thickness;IfcPositiveLengthMeasure;ThermalConductivity;IfcThermalConductivityMeasure;Length;IfcPositiveLengthMeasure;Height;IfcPositiveLengthMeasure;Diameter;IfcPositiveLengthMeasure;FinCorrugatedType;IfcLabel;HasCoating;IfcBoolean -Pset_UnitaryControlElementTypeCommon;Reference;IfcIdentifier;Mode;IfcLabel +Pset_Uncertainty;UncertaintyDescription;IfcText;HorizontalUncertainty;IfcPositiveLengthMeasure;LinearUncertainty;IfcPositiveLengthMeasure;OrthogonalUncertainty;IfcPositiveLengthMeasure;VerticalUncertainty;IfcPositiveLengthMeasure +Pset_UnitaryControlElementBaseStationController;NumberOfInterfaces;IfcInteger;NumberOfManagedBTSs;IfcCountMeasure;NumberOfManagedCarriers;IfcCountMeasure +Pset_UnitaryControlElementPHistory +Pset_UnitaryControlElementTypeCommon;Reference;IfcIdentifier;OperationMode;IfcLabel +Pset_UnitaryControlElementTypeControlPane;NominalCurrent;IfcElectricCurrentMeasure;NominalPower;IfcPowerMeasure;RatedVoltage;IfcElectricVoltageMeasure;ReferenceAirRelativeHumidity;IfcNormalisedRatioMeasure;ReferenceEnvironmentTemperature;IfcThermodynamicTemperatureMeasure +Pset_UnitaryControlElementTypeIndicatorPane Pset_UnitaryControlElementTypeThermostat;TemperatureSetPoint;IfcThermodynamicTemperatureMeasure Pset_UnitaryEquipmentTypeAirConditioningUnit;SensibleCoolingCapacity;IfcPowerMeasure;LatentCoolingCapacity;IfcPowerMeasure;CoolingEfficiency;IfcPositiveRatioMeasure;HeatingCapacity;IfcPowerMeasure;HeatingEfficiency;IfcPositiveRatioMeasure;CondenserFlowrate;IfcVolumetricFlowRateMeasure;CondenserEnteringTemperature;IfcThermodynamicTemperatureMeasure;CondenserLeavingTemperature;IfcThermodynamicTemperatureMeasure;OutsideAirFlowrate;IfcVolumetricFlowRateMeasure Pset_UnitaryEquipmentTypeAirHandler;DualDeck;IfcBoolean Pset_UnitaryEquipmentTypeCommon;Reference;IfcIdentifier +Pset_UtilityConsumptionPHistory +Pset_ValvePHistory Pset_ValveTypeAirRelease;IsAutomatic;IfcBoolean Pset_ValveTypeCommon;Reference;IfcIdentifier;Size;IfcPositiveLengthMeasure;TestPressure;IfcPressureMeasure;WorkingPressure;IfcPressureMeasure;FlowCoefficient;IfcReal;CloseOffRating;IfcPressureMeasure Pset_ValveTypeDrawOffCock;HasHoseUnion;IfcBoolean @@ -335,17 +620,26 @@ Pset_ValveTypeIsolating;IsNormallyOpen;IfcBoolean Pset_ValveTypeMixing;OutletConnectionSize;IfcPositiveLengthMeasure Pset_ValveTypePressureReducing;UpstreamPressure;IfcPressureMeasure;DownstreamPressure;IfcPressureMeasure Pset_ValveTypePressureRelief;ReliefPressure;IfcPressureMeasure +Pset_VegetationCommon;BotanicalName;IfcLabel;LocalName;IfcLabel +Pset_VehicleAvailability;VehicleAvailability;IfcRatioMeasure;MaintenanceDowntime;IfcRatioMeasure;WeatherDowntime;IfcRatioMeasure +Pset_VesselLineCommon;LineIdentifier;IfcIdentifier;MidshipToFairLead;IfcLengthMeasure;CentreLineToFairlead;IfcLengthMeasure;HeightAboveMainDeck;IfcLengthMeasure;FairleadToTermination;IfcLengthMeasure;WinchBreakLimit;IfcForceMeasure;PreTensionAim;IfcForceMeasure;LineType;IfcLabel;LineStrength;IfcForceMeasure;TailLength;IfcPositiveLengthMeasure;TailDiameter;IfcPositiveLengthMeasure;TailType;IfcLabel;TailStrength;IfcForceMeasure Pset_VibrationIsolatorTypeCommon;Reference;IfcIdentifier;VibrationTransmissibility;IfcPositiveRatioMeasure;IsolatorStaticDeflection;IfcLengthMeasure;IsolatorCompressibility;IfcRatioMeasure;MaximumSupportedWeight;IfcMassMeasure;NominalHeight;IfcPositiveLengthMeasure +Pset_VoltageInstrumentTransformer;AccuracyClass;IfcRatioMeasure;AccuracyGrade;IfcLabel;RatedVoltage;IfcElectricVoltageMeasure;NominalCurrent;IfcElectricCurrentMeasure;NominalPower;IfcPowerMeasure;NumberOfPhases;IfcCountMeasure;PrimaryFrequency;IfcFrequencyMeasure;PrimaryVoltage;IfcElectricVoltageMeasure;SecondaryFrequency;IfcFrequencyMeasure;SecondaryVoltage;IfcElectricVoltageMeasure Pset_WallCommon;Reference;IfcIdentifier;AcousticRating;IfcLabel;FireRating;IfcLabel;Combustible;IfcBoolean;SurfaceSpreadOfFlame;IfcLabel;ThermalTransmittance;IfcThermalTransmittanceMeasure;IsExternal;IfcBoolean;LoadBearing;IfcBoolean;ExtendToStructure;IfcBoolean;Compartmentation;IfcBoolean -Pset_Warranty;WarrantyIdentifier;IfcIdentifier;WarrantyStartDate;IfcDate;WarrantyEndDate;IfcDate;IsExtendedWarranty;IfcBoolean;WarrantyPeriod;IfcDuration;WarrantyContent;IfcText;PointOfContact;IfcLabel;Exclusions;IfcText +Pset_Warranty;WarrantyIdentifier;IfcIdentifier;WarrantyStartDate;IfcDate;IsExtendedWarranty;IfcBoolean;WarrantyPeriod;IfcDuration;WarrantyContent;IfcText;PointOfContact;IfcLabel;Exclusions;IfcText Pset_WasteTerminalTypeCommon;Reference;IfcIdentifier Pset_WasteTerminalTypeFloorTrap;NominalBodyLength;IfcPositiveLengthMeasure;NominalBodyWidth;IfcPositiveLengthMeasure;NominalBodyDepth;IfcPositiveLengthMeasure;IsForSullageWater;IfcBoolean;SpilloverLevel;IfcPositiveLengthMeasure;HasStrainer;IfcBoolean;OutletConnectionSize;IfcPositiveLengthMeasure;InletConnectionSize;IfcPositiveLengthMeasure;CoverLength;IfcPositiveLengthMeasure;CoverWidth;IfcPositiveLengthMeasure Pset_WasteTerminalTypeFloorWaste;NominalBodyLength;IfcPositiveLengthMeasure;NominalBodyWidth;IfcPositiveLengthMeasure;NominalBodyDepth;IfcPositiveLengthMeasure;OutletConnectionSize;IfcPositiveLengthMeasure;CoverLength;IfcPositiveLengthMeasure;CoverWidth;IfcPositiveLengthMeasure Pset_WasteTerminalTypeGullySump;NominalSumpLength;IfcPositiveLengthMeasure;NominalSumpWidth;IfcPositiveLengthMeasure;NominalSumpDepth;IfcPositiveLengthMeasure;OutletConnectionSize;IfcPositiveLengthMeasure;InletConnectionSize;IfcPositiveLengthMeasure;CoverLength;IfcPositiveLengthMeasure;CoverWidth;IfcPositiveLengthMeasure Pset_WasteTerminalTypeGullyTrap;NominalBodyLength;IfcPositiveLengthMeasure;NominalBodyWidth;IfcPositiveLengthMeasure;NominalBodyDepth;IfcPositiveLengthMeasure;HasStrainer;IfcBoolean;OutletConnectionSize;IfcPositiveLengthMeasure;InletConnectionSize;IfcPositiveLengthMeasure;CoverLength;IfcPositiveLengthMeasure;CoverWidth;IfcPositiveLengthMeasure Pset_WasteTerminalTypeRoofDrain;NominalBodyLength;IfcPositiveLengthMeasure;NominalBodyWidth;IfcPositiveLengthMeasure;NominalBodyDepth;IfcPositiveLengthMeasure;OutletConnectionSize;IfcPositiveLengthMeasure;CoverLength;IfcPositiveLengthMeasure;CoverWidth;IfcPositiveLengthMeasure -Pset_WasteTerminalTypeWasteDisposalUnit;DrainConnectionSize;IfcPositiveLengthMeasure;OutletConnectionSize;IfcPositiveLengthMeasure;NominalDepth;IfcPositiveLengthMeasure +Pset_WasteTerminalTypeWasteDisposalUnit;DrainConnectionSize;IfcPositiveLengthMeasure;OutletConnectionSize;IfcPositiveLengthMeasure;NominalDepth;IfcNonNegativeLengthMeasure Pset_WasteTerminalTypeWasteTrap;OutletConnectionSize;IfcPositiveLengthMeasure;InletConnectionSize;IfcPositiveLengthMeasure +Pset_WaterStratumCommon;AnnualRange;IfcPositiveLengthMeasure;AnnualTrend;IfcLengthMeasure;IsFreshwater;IfcLogical;SeicheRange;IfcPositiveLengthMeasure;TidalRange;IfcPositiveLengthMeasure;WaveRange;IfcPositiveLengthMeasure +Pset_Width;NominalWidth;IfcNonNegativeLengthMeasure Pset_WindowCommon;Reference;IfcIdentifier;AcousticRating;IfcLabel;FireRating;IfcLabel;SecurityRating;IfcLabel;IsExternal;IfcBoolean;Infiltration;IfcVolumetricFlowRateMeasure;ThermalTransmittance;IfcThermalTransmittanceMeasure;GlazingAreaFraction;IfcPositiveRatioMeasure;HasSillExternal;IfcBoolean;HasSillInternal;IfcBoolean;HasDrive;IfcBoolean;SmokeStop;IfcBoolean;FireExit;IfcBoolean;WaterTightnessRating;IfcLabel;MechanicalLoadRating;IfcLabel;WindLoadRating;IfcLabel +Pset_WindowLiningProperties;LiningDepth;IfcPositiveLengthMeasure;LiningThickness;IfcNonNegativeLengthMeasure;TransomThickness;IfcNonNegativeLengthMeasure;MullionThickness;IfcNonNegativeLengthMeasure;FirstTransomOffset;IfcNormalisedRatioMeasure;SecondTransomOffset;IfcNormalisedRatioMeasure;FirstMullionOffset;IfcNormalisedRatioMeasure;SecondMullionOffset;IfcNormalisedRatioMeasure;LiningOffset;IfcLengthMeasure;LiningToPanelOffsetX;IfcLengthMeasure;LiningToPanelOffsetY;IfcLengthMeasure +Pset_WindowPanelProperties;FrameDepth;IfcPositiveLengthMeasure;FrameThickness;IfcPositiveLengthMeasure +Pset_WiredCommunicationPortCommon;MaximumTransferRate;IfcIntegerCountRateMeasure Pset_WorkControlCommon;WorkStartTime;IfcTime;WorkFinishTime;IfcTime;WorkDayDuration;IfcDuration;WorkWeekDuration;IfcDuration;WorkMonthDuration;IfcDuration Pset_ZoneCommon;Reference;IfcIdentifier;IsExternal;IfcBoolean;GrossPlannedArea;IfcAreaMeasure;NetPlannedArea;IfcAreaMeasure;PubliclyAccessible;IfcBoolean;HandicapAccessible;IfcBoolean diff --git a/src/Mod/BIM/Presets/qto_definitions.csv b/src/Mod/BIM/Presets/qto_definitions.csv new file mode 100644 index 0000000000..4613e8421f --- /dev/null +++ b/src/Mod/BIM/Presets/qto_definitions.csv @@ -0,0 +1,115 @@ +Qto_ActuatorBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_AirTerminalBaseQuantities;GrossWeight;IfcQuantityWeight;Perimeter;IfcQuantityLength;TotalSurfaceArea;IfcQuantityArea +Qto_AirTerminalBoxTypeBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_AirToAirHeatRecoveryBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_AlarmBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_ArealStratumBaseQuantities;Area;IfcQuantityArea;Length;IfcQuantityLength;PlanLength;IfcQuantityLength +Qto_AudioVisualApplianceBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_BeamBaseQuantities;Length;IfcQuantityLength;CrossSectionArea;IfcQuantityArea;OuterSurfaceArea;IfcQuantityArea;GrossSurfaceArea;IfcQuantityArea;NetSurfaceArea;IfcQuantityArea;GrossVolume;IfcQuantityVolume;NetVolume;IfcQuantityVolume;GrossWeight;IfcQuantityWeight;NetWeight;IfcQuantityWeight +Qto_BodyGeometryValidation;GrossSurfaceArea;IfcQuantityArea;NetSurfaceArea;IfcQuantityArea;GrossVolume;IfcQuantityVolume;NetVolume;IfcQuantityVolume;SurfaceGenusBeforeFeatures;IfcQuantityCount;SurfaceGenusAfterFeatures;IfcQuantityCount +Qto_BoilerBaseQuantities;GrossWeight;IfcQuantityWeight;NetWeight;IfcQuantityWeight;TotalSurfaceArea;IfcQuantityArea +Qto_BuildingBaseQuantities;Height;IfcQuantityLength;EavesHeight;IfcQuantityLength;FootPrintArea;IfcQuantityArea;GrossFloorArea;IfcQuantityArea;NetFloorArea;IfcQuantityArea;GrossVolume;IfcQuantityVolume;NetVolume;IfcQuantityVolume +Qto_BuildingElementProxyQuantities;NetSurfaceArea;IfcQuantityArea;NetVolume;IfcQuantityVolume +Qto_BuildingStoreyBaseQuantities;GrossHeight;IfcQuantityLength;NetHeight;IfcQuantityLength;GrossPerimeter;IfcQuantityLength;GrossFloorArea;IfcQuantityArea;NetFloorArea;IfcQuantityArea;GrossVolume;IfcQuantityVolume;NetVolume;IfcQuantityVolume +Qto_BurnerBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_CableCarrierFittingBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_CableCarrierSegmentBaseQuantities;GrossWeight;IfcQuantityWeight;Length;IfcQuantityLength;CrossSectionArea;IfcQuantityArea;OuterSurfaceArea;IfcQuantityArea +Qto_CableFittingBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_CableSegmentBaseQuantities;GrossWeight;IfcQuantityWeight;Length;IfcQuantityLength;CrossSectionArea;IfcQuantityArea;OuterSurfaceArea;IfcQuantityArea +Qto_ChillerBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_ChimneyBaseQuantities;Length;IfcQuantityLength +Qto_CoilBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_ColumnBaseQuantities;Length;IfcQuantityLength;CrossSectionArea;IfcQuantityArea;OuterSurfaceArea;IfcQuantityArea;GrossSurfaceArea;IfcQuantityArea;NetSurfaceArea;IfcQuantityArea;GrossVolume;IfcQuantityVolume;NetVolume;IfcQuantityVolume;GrossWeight;IfcQuantityWeight;NetWeight;IfcQuantityWeight +Qto_CommunicationsApplianceBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_CompressorBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_CondenserBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_ConduitSegmentBaseQuantities;InnerDiameter;IfcQuantityLength;OuterDiameter;IfcQuantityLength +Qto_ConstructionEquipmentResourceBaseQuantities;UsageTime;IfcQuantityTime;OperatingTime;IfcQuantityTime +Qto_ConstructionMaterialResourceBaseQuantities;GrossVolume;IfcQuantityVolume;NetVolume;IfcQuantityVolume;GrossWeight;IfcQuantityWeight;NetWeight;IfcQuantityWeight +Qto_ControllerBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_CooledBeamBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_CoolingTowerBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_CourseBaseQuantities;Length;IfcQuantityLength;Width;IfcQuantityLength;Thickness;IfcQuantityLength;Volume;IfcQuantityVolume;GrossVolume;IfcQuantityVolume;Weight;IfcQuantityWeight +Qto_CoveringBaseQuantities;Width;IfcQuantityLength;GrossArea;IfcQuantityArea;NetArea;IfcQuantityArea +Qto_CurtainWallQuantities;Length;IfcQuantityLength;Height;IfcQuantityLength;Width;IfcQuantityLength;GrossSideArea;IfcQuantityArea;NetSideArea;IfcQuantityArea +Qto_DamperBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_DistributionBoardBaseQuantities;GrossWeight;IfcQuantityWeight;NumberOfCircuits;IfcQuantityCount +Qto_DistributionChamberElementBaseQuantities;GrossSurfaceArea;IfcQuantityArea;NetSurfaceArea;IfcQuantityArea;GrossVolume;IfcQuantityVolume;NetVolume;IfcQuantityVolume;Depth;IfcQuantityLength +Qto_DoorBaseQuantities;Width;IfcQuantityLength;Height;IfcQuantityLength;Perimeter;IfcQuantityLength;Area;IfcQuantityArea +Qto_DuctFittingBaseQuantities;Length;IfcQuantityLength;GrossCrossSectionArea;IfcQuantityArea;NetCrossSectionArea;IfcQuantityArea;OuterSurfaceArea;IfcQuantityArea;GrossWeight;IfcQuantityWeight +Qto_DuctSegmentBaseQuantities;Length;IfcQuantityLength;GrossCrossSectionArea;IfcQuantityArea;NetCrossSectionArea;IfcQuantityArea;OuterSurfaceArea;IfcQuantityArea;GrossWeight;IfcQuantityWeight +Qto_DuctSilencerBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_EarthworksCutBaseQuantities;Length;IfcQuantityLength;Width;IfcQuantityLength;Depth;IfcQuantityLength;UndisturbedVolume;IfcQuantityVolume;LooseVolume;IfcQuantityVolume;Weight;IfcQuantityWeight +Qto_EarthworksFillBaseQuantities;Length;IfcQuantityLength;Width;IfcQuantityLength;Depth;IfcQuantityLength;CompactedVolume;IfcQuantityVolume;LooseVolume;IfcQuantityVolume +Qto_ElectricApplianceBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_ElectricFlowStorageDeviceBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_ElectricGeneratorBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_ElectricMotorBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_ElectricTimeControlBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_EvaporativeCoolerBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_EvaporatorBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_FacilityPartBaseQuantities;Length;IfcQuantityLength;Width;IfcQuantityLength;Height;IfcQuantityLength;Area;IfcQuantityArea;Volume;IfcQuantityVolume +Qto_FanBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_FilterBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_FireSuppressionTerminalBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_FlowInstrumentBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_FlowMeterBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_FootingBaseQuantities;Length;IfcQuantityLength;Width;IfcQuantityLength;Height;IfcQuantityLength;CrossSectionArea;IfcQuantityArea;OuterSurfaceArea;IfcQuantityArea;GrossSurfaceArea;IfcQuantityArea;GrossVolume;IfcQuantityVolume;NetVolume;IfcQuantityVolume;GrossWeight;IfcQuantityWeight;NetWeight;IfcQuantityWeight +Qto_HeatExchangerBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_HumidifierBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_ImpactProtectionDeviceBaseQuantities;Weight;IfcQuantityWeight +Qto_InterceptorBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_JunctionBoxBaseQuantities;GrossWeight;IfcQuantityWeight;NumberOfGangs;IfcQuantityCount;Length;IfcQuantityLength;Width;IfcQuantityLength;Height;IfcQuantityLength +Qto_KerbBaseQuantities;Length;IfcQuantityLength;Width;IfcQuantityLength;Height;IfcQuantityLength;Depth;IfcQuantityLength;Volume;IfcQuantityVolume;Weight;IfcQuantityWeight +Qto_LaborResourceBaseQuantities;StandardWork;IfcQuantityTime;OvertimeWork;IfcQuantityTime +Qto_LampBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_LightFixtureBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_LinearStratumBaseQuantities;Diameter;IfcQuantityLength;Length;IfcQuantityLength +Qto_MarineFacilityBaseQuantities;Length;IfcQuantityLength;Width;IfcQuantityLength;Height;IfcQuantityLength;Area;IfcQuantityArea;Volume;IfcQuantityVolume +Qto_MemberBaseQuantities;Length;IfcQuantityLength;CrossSectionArea;IfcQuantityArea;OuterSurfaceArea;IfcQuantityArea;GrossSurfaceArea;IfcQuantityArea;NetSurfaceArea;IfcQuantityArea;GrossVolume;IfcQuantityVolume;NetVolume;IfcQuantityVolume;GrossWeight;IfcQuantityWeight;NetWeight;IfcQuantityWeight +Qto_MotorConnectionBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_OpeningElementBaseQuantities;Width;IfcQuantityLength;Height;IfcQuantityLength;Depth;IfcQuantityLength;Area;IfcQuantityArea;Volume;IfcQuantityVolume +Qto_OutletBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_PavementBaseQuantities;Length;IfcQuantityLength;Width;IfcQuantityLength;Depth;IfcQuantityLength;GrossArea;IfcQuantityArea;NetArea;IfcQuantityArea;GrossVolume;IfcQuantityVolume;NetVolume;IfcQuantityVolume +Qto_PictorialSignQuantities;Area;IfcQuantityArea;SignArea;IfcQuantityArea +Qto_PileBaseQuantities;Length;IfcQuantityLength;CrossSectionArea;IfcQuantityArea;OuterSurfaceArea;IfcQuantityArea;GrossSurfaceArea;IfcQuantityArea;GrossVolume;IfcQuantityVolume;NetVolume;IfcQuantityVolume;GrossWeight;IfcQuantityWeight;NetWeight;IfcQuantityWeight +Qto_PipeFittingBaseQuantities;Length;IfcQuantityLength;GrossCrossSectionArea;IfcQuantityArea;NetCrossSectionArea;IfcQuantityArea;OuterSurfaceArea;IfcQuantityArea;GrossWeight;IfcQuantityWeight;NetWeight;IfcQuantityWeight +Qto_PipeSegmentBaseQuantities;Length;IfcQuantityLength;GrossCrossSectionArea;IfcQuantityArea;NetCrossSectionArea;IfcQuantityArea;OuterSurfaceArea;IfcQuantityArea;GrossWeight;IfcQuantityWeight;NetWeight;IfcQuantityWeight;FootPrintArea;IfcQuantityArea +Qto_PlateBaseQuantities;Width;IfcQuantityLength;Perimeter;IfcQuantityLength;GrossArea;IfcQuantityArea;NetArea;IfcQuantityArea;GrossVolume;IfcQuantityVolume;NetVolume;IfcQuantityVolume;GrossWeight;IfcQuantityWeight;NetWeight;IfcQuantityWeight +Qto_ProjectionElementBaseQuantities;Area;IfcQuantityArea;Volume;IfcQuantityVolume +Qto_ProtectiveDeviceBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_ProtectiveDeviceTrippingUnitBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_PumpBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_RailBaseQuantities;Length;IfcQuantityLength;Volume;IfcQuantityVolume;Weight;IfcQuantityWeight +Qto_RailingBaseQuantities;Length;IfcQuantityLength +Qto_RampFlightBaseQuantities;Length;IfcQuantityLength;Width;IfcQuantityLength;GrossArea;IfcQuantityArea;NetArea;IfcQuantityArea;GrossVolume;IfcQuantityVolume;NetVolume;IfcQuantityVolume +Qto_ReinforcedSoilBaseQuantities;Length;IfcQuantityLength;Width;IfcQuantityLength;Depth;IfcQuantityLength;Area;IfcQuantityArea;Volume;IfcQuantityVolume +Qto_ReinforcingElementBaseQuantities;Count;IfcQuantityCount;Length;IfcQuantityLength;Weight;IfcQuantityWeight +Qto_RoofBaseQuantities;GrossArea;IfcQuantityArea;NetArea;IfcQuantityArea;ProjectedArea;IfcQuantityArea +Qto_SanitaryTerminalBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_SensorBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_SignBaseQuantities;Height;IfcQuantityLength;Width;IfcQuantityLength;Thickness;IfcQuantityLength;Weight;IfcQuantityWeight +Qto_SignalBaseQuantities;Weight;IfcQuantityWeight +Qto_SiteBaseQuantities;GrossPerimeter;IfcQuantityLength;GrossArea;IfcQuantityArea +Qto_SlabBaseQuantities;Width;IfcQuantityLength;Length;IfcQuantityLength;Depth;IfcQuantityLength;Perimeter;IfcQuantityLength;GrossArea;IfcQuantityArea;NetArea;IfcQuantityArea;GrossVolume;IfcQuantityVolume;NetVolume;IfcQuantityVolume;GrossWeight;IfcQuantityWeight;NetWeight;IfcQuantityWeight +Qto_SleeperBaseQuantities;Length;IfcQuantityLength;Width;IfcQuantityLength;Height;IfcQuantityLength +Qto_SolarDeviceBaseQuantities;GrossWeight;IfcQuantityWeight;GrossArea;IfcQuantityArea +Qto_SpaceBaseQuantities;Height;IfcQuantityLength;FinishCeilingHeight;IfcQuantityLength;FinishFloorHeight;IfcQuantityLength;GrossPerimeter;IfcQuantityLength;NetPerimeter;IfcQuantityLength;GrossFloorArea;IfcQuantityArea;NetFloorArea;IfcQuantityArea;GrossWallArea;IfcQuantityArea;NetWallArea;IfcQuantityArea;GrossCeilingArea;IfcQuantityArea;NetCeilingArea;IfcQuantityArea;GrossVolume;IfcQuantityVolume;NetVolume;IfcQuantityVolume +Qto_SpaceHeaterBaseQuantities;Length;IfcQuantityLength;GrossWeight;IfcQuantityWeight;NetWeight;IfcQuantityWeight +Qto_SpatialZoneBaseQuantities;Length;IfcQuantityLength;Width;IfcQuantityLength;Height;IfcQuantityLength +Qto_StackTerminalBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_StairFlightBaseQuantities;Length;IfcQuantityLength;GrossVolume;IfcQuantityVolume;NetVolume;IfcQuantityVolume +Qto_SurfaceFeatureBaseQuantities;Area;IfcQuantityArea;Length;IfcQuantityLength +Qto_SwitchingDeviceBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_TankBaseQuantities;GrossWeight;IfcQuantityWeight;NetWeight;IfcQuantityWeight;TotalSurfaceArea;IfcQuantityArea +Qto_TransformerBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_TubeBundleBaseQuantities;GrossWeight;IfcQuantityWeight;NetWeight;IfcQuantityWeight +Qto_UnitaryControlElementBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_UnitaryEquipmentBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_ValveBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_VehicleBaseQuantities;Length;IfcQuantityLength;Width;IfcQuantityLength;Height;IfcQuantityLength +Qto_VibrationIsolatorBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_VolumetricStratumBaseQuantities;Area;IfcQuantityArea;Mass;IfcQuantityWeight;PlanArea;IfcQuantityArea;Volume;IfcQuantityVolume +Qto_WallBaseQuantities;Length;IfcQuantityLength;Width;IfcQuantityLength;Height;IfcQuantityLength;GrossFootPrintArea;IfcQuantityArea;NetFootPrintArea;IfcQuantityArea;GrossSideArea;IfcQuantityArea;NetSideArea;IfcQuantityArea;GrossVolume;IfcQuantityVolume;NetVolume;IfcQuantityVolume;GrossWeight;IfcQuantityWeight;NetWeight;IfcQuantityWeight +Qto_WasteTerminalBaseQuantities;GrossWeight;IfcQuantityWeight +Qto_WindowBaseQuantities;Width;IfcQuantityLength;Height;IfcQuantityLength;Perimeter;IfcQuantityLength;Area;IfcQuantityArea diff --git a/src/Mod/BIM/Resources/ui/ArchSchedule.ui b/src/Mod/BIM/Resources/ui/ArchSchedule.ui index a55d9c88f8..d915300fc4 100644 --- a/src/Mod/BIM/Resources/ui/ArchSchedule.ui +++ b/src/Mod/BIM/Resources/ui/ArchSchedule.ui @@ -6,8 +6,8 @@ 0 0 - 453 - 364 + 725 + 529 @@ -68,7 +68,13 @@ Property - The property to retrieve from each object.Can be 'Count' to count the objects, or property names like 'Length' or 'Shape.Volume' to retrieve a certain property. + The property to retrieve from each object.Can be 'Count' +to count the objects, or property names like 'Length' or +'Shape.Volume' to retrieve a certain property. + +When used with native IFC objects, this can be used to +retrieve any attribute or custom properties of the elements +retrieved. @@ -87,7 +93,15 @@ An optional semicolon (;) separated list of object names (internal names, not labels), to be considered by this operation. If the list contains groups, children will be added. -Leave blank to use all objects from the document + +Leave blank to use all objects from the document. + +If the document is an IFC project, all IFC entities of the +document will be used, no matter if they are expanded +in FreeCAD or not. + +Use the name of the IFC project to get all the IFC entities +of that project, no matter if they are expanded or not. @@ -95,7 +109,11 @@ Leave blank to use all objects from the document Filter - An optional semicolon (;) separated list of property:value filters. Prepend ! to a property name to invert the effect of the filter (exclude objects that match the filter). Objects whose property contains the value will be matched. Examples of valid filters (everything is case-insensitive): Name:Wall - Will only consider objects with 'wall' in their name (internal name); !Name:Wall - Will only consider objects which DON'T have 'wall' in their name (internal name); Description:Win - Will only consider objects with 'win' in their description; !Label:Win - Will only consider objects which DO NOT have 'win' in their label; IfcType:Wall - Will only consider objects which Ifc Type is 'Wall'; !Tag:Wall - Will only consider objects which tag is NOT 'Wall'. If you leave this field empty, no filtering is applied + An optional semicolon (;) separated list of property:value filters. Prepend ! to a property name to invert the effect of the filter (exclude objects that match the filter). Objects whose property contains the value will be matched. + +Examples of valid filters (everything is case-insensitive): Name:Wall - Will only consider objects with 'wall' in their name (internal name); !Name:Wall - Will only consider objects which DON'T have 'wall' in their name (internal name); Description:Win - Will only consider objects with 'win' in their description; !Label:Win - Will only consider objects which DO NOT have 'win' in their label; IfcType:Wall - Will only consider objects which Ifc Type is 'Wall'; !Tag:Wall - Will only consider objects which tag is NOT 'Wall'. If you leave this field empty, no filtering is applied + +When dealing with native IFC objects, you can use FreeCAD properties name, ex: 'Class:IfcWall' or any other IFC attribute (ex. 'IsTypedBy:#455'). If the 'Objects' column has been set to an IFC project or document, all the IFC entities of that project will be considered. diff --git a/src/Mod/BIM/Resources/ui/dialogIfcQuantities.ui b/src/Mod/BIM/Resources/ui/dialogIfcQuantities.ui index 508df46c6f..d41cb08ba9 100644 --- a/src/Mod/BIM/Resources/ui/dialogIfcQuantities.ui +++ b/src/Mod/BIM/Resources/ui/dialogIfcQuantities.ui @@ -6,8 +6,8 @@ 0 0 - 852 - 471 + 680 + 512 @@ -40,6 +40,16 @@ + + + + + + + Apply + + + @@ -53,11 +63,26 @@ + + + + Refresh + + + + .. + + + Select all + + + .. + diff --git a/src/Mod/BIM/bimcommands/BimIfcQuantities.py b/src/Mod/BIM/bimcommands/BimIfcQuantities.py index 65c3a60308..d36850be03 100644 --- a/src/Mod/BIM/bimcommands/BimIfcQuantities.py +++ b/src/Mod/BIM/bimcommands/BimIfcQuantities.py @@ -25,13 +25,15 @@ """This module contains FreeCAD commands for the BIM workbench""" import os +import csv import FreeCAD import FreeCADGui QT_TRANSLATE_NOOP = FreeCAD.Qt.QT_TRANSLATE_NOOP translate = FreeCAD.Qt.translate +PARAMS = FreeCAD.ParamGet("User parameter:BaseApp/Preferences/Mod/BIM") -qprops = [ +QPROPS = [ "Length", "Width", "Height", @@ -39,8 +41,8 @@ qprops = [ "HorizontalArea", "VerticalArea", "Volume", -] # quantities columns -trqprops = [ +] +TR_QPROPS = [ translate("BIM", "Length"), translate("BIM", "Width"), translate("BIM", "Height"), @@ -49,6 +51,15 @@ trqprops = [ translate("BIM", "Vertical Area"), translate("BIM", "Volume"), ] +QTO_TYPES = { + "IfcQuantityArea": "App::PropertyArea", + "IfcQuantityCount": "App::PropertyInteger", + "IfcQuantityLength": "App::PropertyLength", + "IfcQuantityNumber": "App::PropertyInteger", + "IfcQuantityTime": "App::PropertyTime", + "IfcQuantityVolume": "App::PropertyVolume", + "IfcQuantityWeight": "App::PropertyWeight", +} class BIM_IfcQuantities: @@ -74,6 +85,7 @@ class BIM_IfcQuantities: # build objects list self.objectslist = {} + self.ifcqtolist = {} for obj in FreeCAD.ActiveDocument.Objects: role = self.getRole(obj) if role: @@ -95,17 +107,22 @@ class BIM_IfcQuantities: # load the form and set the tree model up self.form = FreeCADGui.PySideUic.loadUi(":/ui/dialogIfcQuantities.ui") self.form.setWindowIcon(QtGui.QIcon(":/icons/BIM_IfcQuantities.svg")) + w = PARAMS.GetInt("BimIfcQuantitiesDialogWidth", 680) + h = PARAMS.GetInt("BimIfcQuantitiesDialogHeight", 512) + self.form.resize(w, h) + self.get_qtos() # quantities tab self.qmodel = QtGui.QStandardItemModel() self.form.quantities.setModel(self.qmodel) self.form.quantities.setUniformRowHeights(True) self.form.quantities.setItemDelegate(QtGui.QStyledItemDelegate()) - self.quantitiesDrawn = False self.qmodel.dataChanged.connect(self.setChecked) self.form.buttonBox.accepted.connect(self.accept) self.form.quantities.clicked.connect(self.onClickTree) self.form.onlyVisible.stateChanged.connect(self.update) + self.form.buttonRefresh.clicked.connect(self.update) + self.form.buttonApply.clicked.connect(self.add_qto) # center the dialog over FreeCAD window mw = FreeCADGui.getMainWindow() @@ -132,137 +149,256 @@ class BIM_IfcQuantities: def decamelize(self, s): return "".join([" " + c if c.isupper() else c for c in s]).strip(" ") + def get_qtos(self): + "populates the qtos combo box" + + def read_csv(csvfile): + result = {} + if os.path.exists(csvfile): + with open(csvfile, "r") as f: + reader = csv.reader(f, delimiter=";") + for row in reader: + result[row[0]] = row[1:] + return result + + self.qtodefs = {} + qtopath = os.path.join( + FreeCAD.getResourceDir(), "Mod", "BIM", "Presets", "qto_definitions.csv" + ) + custompath = os.path.join(FreeCAD.getUserAppDataDir(), "BIM", "CustomQtos.csv") + self.qtodefs = read_csv(qtopath) + self.qtodefs.update(read_csv(custompath)) + self.qtokeys = [ + "".join(map(lambda x: x if x.islower() else " " + x, t[4:]))[1:] + for t in self.qtodefs.keys() + ] + self.qtokeys.sort() + self.form.comboQto.addItems( + [translate("BIM", "Add quantity set..."),] + + self.qtokeys + ) + + def add_qto(self): + "Adds a standard qto set to the todo list" + + index = self.form.comboQto.currentIndex() + if index <= 0: + return + if len(FreeCADGui.Selection.getSelection()) != 1: + return + obj = FreeCADGui.Selection.getSelection()[0] + qto = list(self.qtodefs.keys())[index-1] + self.ifcqtolist.setdefault(obj.Name, []).append(qto) + self.update_line(obj.Name, qto) + FreeCAD.Console.PrintMessage(translate("BIM", "Adding quantity set")+": "+qto+"\n") + + def apply_qto(self, obj, qto): + "Adds a standard qto set to the object" + + val = self.qtodefs[qto] + qset = None + if hasattr(obj, "StepId"): + from nativeifc import ifc_tools + ifcfile = ifc_tools.get_ifcfile(obj) + element = ifc_tools.get_ifc_element(obj) + if not ifcfile or not element: + return + qset = ifc_tools.api_run("pset.add_qto", ifcfile, product=element, name=qto) + for i in range(0, len(val), 2): + qname = val[i] + qtype = QTO_TYPES[val[i+1]] + if not qname in obj.PropertiesList: + obj.addProperty(qtype, qname, "Quantities", val[i+1]) + qval = 0 + i = self.get_row(obj.Name) + if i > -1: + for j, p in enumerate(QPROPS): + it = self.qmodel.item(i, j+1) + t = it.text() + if t: + t = t.replace("²","^2").replace("³","^3") + qval = FreeCAD.Units.Quantity(t).Value + if qval: + setattr(obj, qname, qval) + if hasattr(obj, "StepId") and qset: + ifc_tools.api_run("pset.edit_qto", ifcfile, qto=qset, properties={qname: qval}) + def update(self, index=None): - "updates the tree widgets in all tabs" + """updates the tree widgets in all tabs. Index is not used, + it is just there to match a qt slot requirement""" from PySide import QtCore, QtGui import Draft - # quantities tab - only fill once + # quantities tab - if not self.quantitiesDrawn: - self.qmodel.setHorizontalHeaderLabels( - [translate("BIM", "Label")] + trqprops - ) - quantheaders = self.form.quantities.header() # QHeaderView instance - if hasattr(quantheaders, "setClickable"): # qt4 - quantheaders.setClickable(True) - else: # qt5 - quantheaders.setSectionsClickable(True) - quantheaders.sectionClicked.connect(self.quantHeaderClicked) + self.qmodel.clear() + self.qmodel.setHorizontalHeaderLabels( + [translate("BIM", "Label")] + TR_QPROPS + ) + self.form.quantities.setColumnWidth(0, 200) # TODO remember width + quantheaders = self.form.quantities.header() # QHeaderView instance + quantheaders.setSectionsClickable(True) + quantheaders.sectionClicked.connect(self.quantHeaderClicked) - # sort by type + # sort by type - groups = {} - for name, role in self.objectslist.items(): - groups.setdefault(role, []).append(name) - for names in groups.values(): - suffix = "" - for name in names: - if "+array" in name: - name = name.split("+array")[0] - suffix = " (duplicate)" - obj = FreeCAD.ActiveDocument.getObject(name) - if obj: - if ( - not self.form.onlyVisible.isChecked() - ) or obj.ViewObject.isVisible(): - if obj.isDerivedFrom("Part::Feature") and not ( - Draft.getType(obj) == "Site" - ): - it1 = QtGui.QStandardItem(obj.Label + suffix) - it1.setToolTip(name + suffix) - it1.setEditable(False) - if QtCore.QFileInfo( - ":/icons/Arch_" + obj.Proxy.Type + "_Tree.svg" - ).exists(): - icon = QtGui.QIcon( - ":/icons/Arch_" + obj.Proxy.Type + "_Tree.svg" - ) - else: - icon = QtGui.QIcon(":/icons/Arch_Component.svg") - it1.setIcon(icon) - props = [] - for prop in qprops: - it = QtGui.QStandardItem() - val = None - if prop == "Volume": - if obj.Shape and hasattr(obj.Shape, "Volume"): - val = FreeCAD.Units.Quantity( - obj.Shape.Volume, FreeCAD.Units.Volume - ) - it.setText( - val.getUserPreferred()[0].replace( - "^3", "³" - ) - ) - it.setCheckable(True) - else: - if hasattr(obj, prop) and ( - not "Hidden" in obj.getEditorMode(prop) + groups = {} + for name, role in self.objectslist.items(): + groups.setdefault(role, []).append(name) + for names in groups.values(): + suffix = "" + for name in names: + if "+array" in name: + name = name.split("+array")[0] + suffix = " (duplicate)" + obj = FreeCAD.ActiveDocument.getObject(name) + if obj: + if ( + not self.form.onlyVisible.isChecked() + ) or obj.ViewObject.isVisible(): + if obj.isDerivedFrom("Part::Feature") and not ( + Draft.getType(obj) == "Site" + ): + it1 = QtGui.QStandardItem(obj.Label + suffix) + it1.setToolTip(name + suffix) + it1.setEditable(False) + it1.setIcon(obj.ViewObject.Icon) + props = [] + for prop in QPROPS: + it = QtGui.QStandardItem() + val = None + if hasattr(obj, prop) and ( + "Hidden" not in obj.getEditorMode(prop) + ): + val = self.get_text(obj, prop) + it.setText(val) + it.setCheckable(True) + if val != None: + d = None + if hasattr(obj, "IfcAttributes"): + d = obj.IfcAttributes + elif hasattr(obj, "IfcData"): + d = obj.IfcData + if d: + if ("Export" + prop in d) and ( + d["Export" + prop] == "True" ): - val = getattr(obj, prop) - it.setText( - val.getUserPreferred()[0].replace( - "^2", "²" - ) - ) - it.setCheckable(True) - if val != None: - d = None - if hasattr(obj, "IfcAttributes"): - d = obj.IfcAttributes - elif hasattr(obj, "IfcData"): - d = obj.IfcData - if d: - if ("Export" + prop in d) and ( - d["Export" + prop] == "True" - ): - it.setCheckState(QtCore.Qt.Checked) - if val == 0: - it.setIcon( - QtGui.QIcon( - os.path.join( - os.path.dirname(__file__), - "icons", - "warning.svg", - ) - ) - ) - if prop in [ - "Area", - "HorizontalArea", - "VerticalArea", - "Volume", - ]: - it.setEditable(False) - props.append(it) - self.qmodel.appendRow([it1] + props) - self.quantitiesDrawn = True + it.setCheckState(QtCore.Qt.Checked) + elif self.has_qto(obj, prop): + it.setCheckState(QtCore.Qt.Checked) + if val == 0: + it.setIcon(QtGui.QIcon(":/icons/warning.svg")) + self.set_editable(it, prop) + props.append(it) + self.qmodel.appendRow([it1] + props) + + def has_qto(self, obj, prop): + """Says if the given object has the given prop in a qto set""" + + if not "StepId" in obj.PropertiesList: + return False + from nativeifc import ifc_tools + element = ifc_tools.get_ifc_element(obj) + if not element: + return False + for rel in getattr(element, "IsDefinedBy", []): + pset = rel.RelatingPropertyDefinition + if pset.is_a("IfcElementQuantity"): + if pset.Name in self.qtodefs: + if prop in self.qtodefs[pset.Name]: + return True + return False + + def get_text(self, obj, prop): + """Gets the text from a property""" + + val = getattr(obj, prop, "0") + txt = val.getUserPreferred()[0].replace("^2", "²").replace("^3", "³") + return txt + + def get_row(self, name): + """Returns the row number correspinding to the given object name""" + + for i in range(self.qmodel.rowCount()): + if self.qmodel.item(i).toolTip().split(" ")[0] == name: + return i + return -1 + + def update_line(self, name, qto): + """Updates a single line of the table, without updating + the actual object""" + + from PySide import QtCore, QtGui + + i = self.get_row(name) + if i == -1: + return + obj = FreeCAD.ActiveDocument.getObject(name) + qto_val = self.qtodefs[qto] + for j, p in enumerate(QPROPS): + it = self.qmodel.item(i, j+1) + if p in obj.PropertiesList: + val = self.get_text(obj, p) + it.setText(val) + self.set_editable(it, p) + it.setCheckable(True) + elif p in qto_val: + it.setText("0") + it.setCheckable(True) + it.setCheckState(QtCore.Qt.Checked) + self.set_editable(it, p) + + def set_editable(self, it, prop): + """Checks if the given prop should be editable, and sets it""" + + if prop in ["Area", "HorizontalArea", "VerticalArea", "Volume"]: + it.setEditable(False) + else: + it.setEditable(True) def getRole(self, obj): + """gets the IFC class of this object""" + if hasattr(obj, "IfcType"): return obj.IfcType elif hasattr(obj, "IfcRole"): return obj.IfcRole + elif hasattr(obj, "IfcClass"): + return obj.IfcClass else: return None def accept(self): + """OK pressed""" + + PARAMS.SetInt("BimIfcQuantitiesDialogWidth", self.form.width()) + PARAMS.SetInt("BimIfcQuantitiesDialogHeight", self.form.height()) self.form.hide() changed = False + if self.ifcqtolist: + if not changed: + FreeCAD.ActiveDocument.openTransaction( + "Change quantities" + ) + changed = True + for key, val in self.ifcqtolist.items(): + obj = FreeCAD.ActiveDocument.getObject(key) + if obj: + for qto in val: + self.apply_qto(obj, qto) for row in range(self.qmodel.rowCount()): name = self.qmodel.item(row, 0).toolTip() obj = FreeCAD.ActiveDocument.getObject(name) if obj: - for i in range(len(qprops)): + for i in range(len(QPROPS)): item = self.qmodel.item(row, i + 1) val = item.text() sav = bool(item.checkState()) if i < 3: # Length, Width, Height, value can be changed - if hasattr(obj, qprops[i]): - if getattr(obj, qprops[i]).getUserPreferred()[0] != val: - setattr(obj, qprops[i], val) + if hasattr(obj, QPROPS[i]): + if getattr(obj, QPROPS[i]).getUserPreferred()[0] != val: + setattr(obj, QPROPS[i], val) if not changed: FreeCAD.ActiveDocument.openTransaction( "Change quantities" @@ -277,10 +413,10 @@ class BIM_IfcQuantities: att = "IfcData" if d: if sav: - if (not "Export" + qprops[i] in d) or ( - d["Export" + qprops[i]] == "False" + if (not "Export" + QPROPS[i] in d) or ( + d["Export" + QPROPS[i]] == "False" ): - d["Export" + qprops[i]] = "True" + d["Export" + QPROPS[i]] = "True" setattr(obj, att, d) if not changed: FreeCAD.ActiveDocument.openTransaction( @@ -288,16 +424,16 @@ class BIM_IfcQuantities: ) changed = True else: - if "Export" + qprops[i] in d: - if d["Export" + qprops[i]] == "True": - d["Export" + qprops[i]] = "False" + if "Export" + QPROPS[i] in d: + if d["Export" + QPROPS[i]] == "True": + d["Export" + QPROPS[i]] = "False" setattr(obj, att, d) if not changed: FreeCAD.ActiveDocument.openTransaction( "Change quantities" ) changed = True - else: + elif "StepId" not in obj.PropertiesList: FreeCAD.Console.PrintError( translate( "BIM", "Cannot save quantities settings for object %1" diff --git a/src/Mod/BIM/importers/exportIFC.py b/src/Mod/BIM/importers/exportIFC.py index 39a3e59440..3f2b6420a6 100644 --- a/src/Mod/BIM/importers/exportIFC.py +++ b/src/Mod/BIM/importers/exportIFC.py @@ -272,14 +272,17 @@ def export(exportList, filename, colors=None, preferences=None): objectslist = Draft.get_group_contents(exportList, walls=True, addgroups=True) - # separate 2D objects + # separate 2D and special objects. Special objects provide their own IFC export method annotations = [] + specials = [] for obj in objectslist: if obj.isDerivedFrom("Part::Part2DObject"): annotations.append(obj) elif obj.isDerivedFrom("App::Annotation") or (Draft.getType(obj) in ["DraftText","Text","Dimension","LinearDimension","AngularDimension"]): annotations.append(obj) + elif hasattr(obj, "Proxy") and hasattr(obj.Proxy, "export_ifc"): + specials.append(obj) elif obj.isDerivedFrom("Part::Feature"): if obj.Shape and (not obj.Shape.Solids) and obj.Shape.Edges: if not obj.Shape.Faces: @@ -290,6 +293,7 @@ def export(exportList, filename, colors=None, preferences=None): # clean objects list of unwanted types objectslist = [obj for obj in objectslist if obj not in annotations] + objectslist = [obj for obj in objectslist if obj not in specials] objectslist = Arch.pruneIncluded(objectslist,strict=True) objectslist = [obj for obj in objectslist if Draft.getType(obj) not in ["Dimension","Material","MaterialContainer","WorkingPlaneProxy"]] if preferences['FULL_PARAMETRIC']: @@ -1296,6 +1300,14 @@ def export(exportList, filename, colors=None, preferences=None): ann = create_annotation(anno, ifcfile, context, history, preferences) annos[anno.Name] = ann + # specials. Specials should take care of register themselves where needed under the project + + specs = {} + for spec in specials: + if preferences['DEBUG']: print("exporting special object:",spec.Label) + elt = spec.Proxy.export_ifc(spec, ifcfile) + specs[spec.Name] = elt + # groups sortedgroups = [] diff --git a/src/Mod/BIM/nativeifc/ifc_export.py b/src/Mod/BIM/nativeifc/ifc_export.py index a5b8901b72..68c5efbb8d 100644 --- a/src/Mod/BIM/nativeifc/ifc_export.py +++ b/src/Mod/BIM/nativeifc/ifc_export.py @@ -187,6 +187,8 @@ def get_object_type(ifcentity, objecttype=None): objecttype = "text" elif ifcentity.is_a("IfcGridAxis"): objecttype = "axis" + elif ifcentity.is_a("IfcControl"): + objecttype = "schedule" return objecttype diff --git a/src/Mod/BIM/nativeifc/ifc_objects.py b/src/Mod/BIM/nativeifc/ifc_objects.py index 6a4c3ea335..d7cc610971 100644 --- a/src/Mod/BIM/nativeifc/ifc_objects.py +++ b/src/Mod/BIM/nativeifc/ifc_objects.py @@ -84,6 +84,8 @@ class ifc_object: obj.ViewObject.signalChangeIcon() elif hasattr(obj, prop) and obj.getGroupOfProperty(prop) == "Geometry": self.edit_geometry(obj, prop) + elif hasattr(obj, prop) and obj.getGroupOfProperty(prop) == "Quantities": + self.edit_quantity(obj, prop) elif hasattr(obj, prop) and obj.getGroupOfProperty(prop) not in NON_PSETS: # Treat all property groups outside the default ones as Psets # print("DEBUG: editinog pset prop",prop) @@ -353,6 +355,11 @@ class ifc_object: # Not doing anything right now because an unset Type property could screw the ifc file pass + + def edit_quantity(self, obj, prop): + """Edits the given quantity""" + pass # TODO implement + def get_section_data(self, obj): """Returns two things: a list of objects and a cut plane""" diff --git a/src/Mod/BIM/nativeifc/ifc_observer.py b/src/Mod/BIM/nativeifc/ifc_observer.py index d75e46d704..aba3de0252 100644 --- a/src/Mod/BIM/nativeifc/ifc_observer.py +++ b/src/Mod/BIM/nativeifc/ifc_observer.py @@ -24,7 +24,6 @@ import os - import FreeCAD params = FreeCAD.ParamGet("User parameter:BaseApp/Preferences/Mod/NativeIFC") @@ -197,8 +196,10 @@ class ifc_observer: return del self.docname del self.objname - if obj.isDerivedFrom("Part::Feature") or "IfcType" in obj.PropertiesList: - FreeCAD.Console.PrintLog("Converting" + obj.Label + "to IFC\n") + if obj.isDerivedFrom("Part::Feature") \ + or "IfcType" in obj.PropertiesList \ + or "CreateSpreadsheet" in obj.PropertiesList: + FreeCAD.Console.PrintLog("Converting " + obj.Label + " to IFC\n") from nativeifc import ifc_geometry # lazy loading from nativeifc import ifc_tools # lazy loading diff --git a/src/Mod/BIM/nativeifc/ifc_psets.py b/src/Mod/BIM/nativeifc/ifc_psets.py index d6dd7bae7f..472a751e32 100644 --- a/src/Mod/BIM/nativeifc/ifc_psets.py +++ b/src/Mod/BIM/nativeifc/ifc_psets.py @@ -105,34 +105,35 @@ def show_psets(obj): ttip = ( ptype + ":" + oname ) # setting IfcType:PropName as a tooltip to desambiguate - while pname in obj.PropertiesList: + #while pname in obj.PropertiesList: # print("DEBUG: property", pname, "(", value, ") already exists in", obj.Label) - pname += "_" + # pname += "_" + ftype = None if ptype in [ "IfcPositiveLengthMeasure", "IfcLengthMeasure", "IfcNonNegativeLengthMeasure", ]: - obj.addProperty("App::PropertyDistance", pname, gname, ttip) + ftype = "App::PropertyDistance" elif ptype in ["IfcVolumeMeasure"]: - obj.addProperty("App::PropertyVolume", pname, gname, ttip) + ftype = "App::PropertyVolume" elif ptype in ["IfcPositivePlaneAngleMeasure", "IfcPlaneAngleMeasure"]: - obj.addProperty("App::PropertyAngle", pname, gname, ttip) + ftype = "App::PropertyAngle" value = float(value) while value > 360: value = value - 360 elif ptype in ["IfcMassMeasure"]: - obj.addProperty("App::PropertyMass", pname, gname, ttip) + ftype = "App::PropertyMass" elif ptype in ["IfcAreaMeasure"]: - obj.addProperty("App::PropertyArea", pname, gname, ttip) + ftype = "App::PropertyArea" elif ptype in ["IfcCountMeasure", "IfcInteger"]: - obj.addProperty("App::PropertyInteger", pname, gname, ttip) + ftype = "App::PropertyInteger" value = int(value.strip(".")) elif ptype in ["IfcReal"]: - obj.addProperty("App::PropertyFloat", pname, gname, ttip) + ftype = "App::PropertyFloat" value = float(value) elif ptype in ["IfcBoolean", "IfcLogical"]: - obj.addProperty("App::PropertyBool", pname, gname, ttip) + ftype = "App::PropertyBool" if value in [".T."]: value = True else: @@ -144,14 +145,30 @@ def show_psets(obj): "IfcDuration", "IfcTimeStamp", ]: - obj.addProperty("App::PropertyTime", pname, gname, ttip) + ftype = "App::PropertyTime" + elif isinstance(value, str) and "::" in value: + # FreeCAD-specific: split strings by :: delimiter + ftype = "App::PropertyStringList" + value = value.split("::") else: - obj.addProperty("App::PropertyString", pname, gname, ttip) + ftype = "App::PropertyString" # print("DEBUG: setting",pname, ptype, value) - setattr(obj, pname, value) + if ftype: + if pname in obj.PropertiesList \ + and obj.getGroupOfProperty(pname) == gname: + if obj.getTypeOfProperty(pname) == ftype: + pass + if ftype == "App::PropertyString" \ + and obj.getTypeOfProperty(pname) == "App::PropertyStringList": + value = [value] + else: + print(pname, gname, obj.PropertiesList) + obj.addProperty(ftype, pname, gname, ttip) + if pname in obj.PropertiesList: + setattr(obj, pname, value) -def edit_pset(obj, prop, value=None, force=False): +def edit_pset(obj, prop, value=None, force=False, ifcfile=None, element=None): """Edits the corresponding property. If force is True, the property is created even if it has no value""" @@ -159,8 +176,14 @@ def edit_pset(obj, prop, value=None, force=False): ptype = obj.getDocumentationOfProperty(prop) if value is None: value = getattr(obj, prop) - ifcfile = ifc_tools.get_ifcfile(obj) - element = ifc_tools.get_ifc_element(obj) + if not ifcfile: + ifcfile = ifc_tools.get_ifcfile(obj) + if not ifcfile: + return + if not element: + element = ifc_tools.get_ifc_element(obj) + if not element: + return pset_exist = get_psets(element) target_prop = None value_exist = None @@ -242,7 +265,7 @@ def edit_pset(obj, prop, value=None, force=False): "IFC: property changed for " + obj.Label + " (" - + str(obj.StepId) + + str(element.id()) + "): " + str(target_prop) + ": " @@ -356,3 +379,7 @@ def remove_property(obj, prop): # delete the pset too FreeCAD.Console.PrintMessage(translate("BIM","Removing property set")+": "+psetname) ifc_tools.api_run("pset.remove_pset", ifcfile, product=element, pset=pset) + + +# Quantity types +# https://ifc43-docs.standards.buildingsmart.org/IFC/RELEASE/IFC4x3/HTML/ifcsharedbldgelements/content.html#6.1.5-Quantity-Sets diff --git a/src/Mod/BIM/nativeifc/ifc_tools.py b/src/Mod/BIM/nativeifc/ifc_tools.py index 6b62a24171..c248d54856 100644 --- a/src/Mod/BIM/nativeifc/ifc_tools.py +++ b/src/Mod/BIM/nativeifc/ifc_tools.py @@ -46,6 +46,7 @@ from nativeifc import ifc_import from nativeifc import ifc_layers from nativeifc import ifc_status from nativeifc import ifc_export +from nativeifc import ifc_psets from draftviewproviders import view_layer from PySide import QtCore @@ -443,7 +444,7 @@ def get_ifcfile(obj): if getattr(project, "Proxy", None): if hasattr(project.Proxy, "ifcfile"): return project.Proxy.ifcfile - if project.IfcFilePath: + if getattr(project, "IfcFilePath", None): ifcfile = ifcopenshell.open(project.IfcFilePath) if hasattr(project, "Proxy"): if project.Proxy is None: @@ -453,7 +454,7 @@ def get_ifcfile(obj): project.Proxy.ifcfile = ifcfile return ifcfile else: - FreeCAD.Console.PrintError("Error: No IFC file attached to this project") + FreeCAD.Console.PrintError("Error: No IFC file attached to this project: "+project.Label) return None @@ -508,11 +509,14 @@ def add_object(document, otype=None, oname="IfcObject"): 'dimension', 'sectionplane', 'axis', + 'schedule' or anything else for a standard IFC object""" if not document: return None - if otype == "sectionplane": + if otype == "schedule": + obj = Arch.makeSchedule() + elif otype == "sectionplane": obj = Arch.makeSectionPlane() obj.Proxy = ifc_objects.ifc_object(otype) elif otype == "axis": @@ -746,6 +750,8 @@ def add_properties( obj.addProperty("App::PropertyStringList", "Text", "Base") obj.Text = [text.Literal] obj.Placement = ifc_export.get_placement(ifcentity.ObjectPlacement, ifcfile) + elif ifcentity.is_a("IfcControl"): + ifc_psets.show_psets(obj) # link Label2 and Description if "Description" in obj.PropertiesList and hasattr(obj, "setExpression"): @@ -1150,6 +1156,7 @@ def aggregate(obj, parent, mode=None): if not ifcfile: return product = None + new = False stepid = getattr(obj, "StepId", None) if stepid: # obj might be dragging at this point and has no project anymore @@ -1163,7 +1170,6 @@ def aggregate(obj, parent, mode=None): # this object already has an associated IFC product print("DEBUG:", obj.Label, "is already part of the IFC document") newobj = obj - new = False else: ifcclass = None if mode == "opening": @@ -1173,12 +1179,16 @@ def aggregate(obj, parent, mode=None): product = ifc_export.create_annotation(obj, ifcfile) if Draft.get_type(obj) in ["DraftText","Text"]: objecttype = "text" + elif "CreateSpreadsheet" in obj.PropertiesList: + obj.Proxy.create_ifc(obj, ifcfile) + newobj = obj else: product = ifc_export.create_product(obj, parent, ifcfile, ifcclass) + if product: shapemode = getattr(parent, "ShapeMode", DEFAULT_SHAPEMODE) newobj = create_object(product, obj.Document, ifcfile, shapemode, objecttype) new = True - create_relationship(obj, newobj, parent, product, ifcfile, mode) + create_relationship(obj, newobj, parent, product, ifcfile, mode) base = getattr(obj, "Base", None) if base: # make sure the base is used only by this object before deleting @@ -1524,6 +1534,12 @@ def get_orphan_elements(ifcfile): products = [ p for p in products if not hasattr(p, "VoidsElements") or not p.VoidsElements ] + # add control elements + proj = ifcfile.by_type("IfcProject")[0] + for rel in proj.Declares: + for ctrl in getattr(rel,"RelatedDefinitions", []): + if ctrl.is_a("IfcControl"): + products.append(ctrl) groups = [] for o in products: for rel in getattr(o, "HasAssignments", []): diff --git a/src/Mod/BIM/utils/buildPsets.py b/src/Mod/BIM/utils/buildPsets.py index 814cbe2c40..f08ba2277e 100644 --- a/src/Mod/BIM/utils/buildPsets.py +++ b/src/Mod/BIM/utils/buildPsets.py @@ -20,56 +20,119 @@ # * * # *************************************************************************** -"""This script retrieves a list of standard property sets from the IFC4 official documentation website - and stores them into a pset_dfinitions.xml files in the current directory. Warning, this can take - a certain time (there are more than 400 definitions to retrieve)""" +"""This script retrieves a list of standard property sets from the IFC4 official + documentation website and stores them into 1) a pset_definitions.csv and 2) + a qto_definitions.csv files in the directory ../Presets.""" -import codecs, os, re +import os +from zipfile import ZipFile from urllib.request import urlopen +import xml.sax -MAXTRIES = 3 -IFC_DOCS_ROOT_URL = "https://standards.buildingsmart.org/IFC/DEV/IFC4_2/FINAL/HTML/" -# read the pset list -print("Getting psets list...") -u = urlopen( - IFC_DOCS_ROOT_URL + "annex/annex-b/alphabeticalorder_psets.htm" -) -p = u.read().decode('utf-8') -u.close() -psets = re.findall(r">Pset_(.*?)", p) +URL = "https://ifc43-docs.standards.buildingsmart.org/IFC/RELEASE/IFC4x3/HTML/annex-a-psd.zip" -# retrieve xml data from each Pset type -psetdefs = "" -failed = [] -for i, pset in enumerate(psets): - print(i + 1, "/", len(psets), ": Retrieving Pset", pset) - for j in range(MAXTRIES): - try: - u = urlopen( - IFC_DOCS_ROOT_URL + "psd/Pset_" - + pset - + ".xml" - ) - p = u.read().decode('utf-8') - u.close() - except: - print(" Connection failed. trying one more time...") +QTO_TYPES = { + "Q_AREA": "IfcQuantityArea", + "Q_COUNT": "IfcQuantityCount", + "Q_LENGTH": "IfcQuantityLength", + "Q_NUMBER": "IfcQuantityNumber", + "Q_TIME": "IfcQuantityTime", + "Q_VOLUME": "IfcQuantityVolume", + "Q_WEIGHT": "IfcQuantityWeight", +} + +class PropertyDefHandler(xml.sax.ContentHandler): + "A XML handler to process pset definitions" + + # this creates a dictionary where each key is a Pset name, + # and each value is a list of [property,type] lists + + def __init__(self, pset): + super().__init__() + self.line = pset.strip(".xml") + ";" + self.currentprop = None + self.currenttype = None + self.charbuffer = [] + self.writing = False + self.prop = False + self.qtotype = False + + # Call when raw text is read (the property name) + + def characters(self, data): + if self.writing: + self.charbuffer.append(data) + + # Call when an element starts + + def startElement(self, tag, attributes): + if tag in ["PropertyDef", "QtoDef"]: + self.prop = True + elif tag == "Name": + self.writing = True + elif tag == "DataType": + self.currenttype = attributes["type"] + elif tag == "QtoType": + self.qtotype = True + self.writing = True + + # Call when an elements ends + + def endElement(self, tag): + if tag in ["Name", "QtoType"]: + if self.prop: + self.currentprop = "".join(self.charbuffer) + elif self.qtotype: + self.currenttype = "".join(self.charbuffer) + self.writing = False + self.prop = False + self.qtotype = False + self.charbuffer = [] + elif tag in ["PropertyDef", "QtoDef"]: + if self.currentprop and self.currenttype: + if self.currenttype in QTO_TYPES: + self.currenttype = QTO_TYPES[self.currenttype] + self.line += self.currentprop + ";" + self.currenttype + ";" + self.currentprop = None + self.currenttype = None + + + +# MAIN + + +print("Getting psets xml definitions...") + +with open("psd.zip","wb") as f: + u = urlopen(URL) + p = u.read() + f.write(p) + +print("Reading xml definitions...") + +psets = [] +qtos = [] + +with ZipFile("psd.zip", 'r') as z: + for entry in z.namelist(): + print("Parsing",entry) + xml_data = z.read(entry).decode(encoding="utf-8") + handler = PropertyDefHandler(entry) + xml.sax.parseString(xml_data, handler) + if entry.startswith("Pset"): + psets.append(handler.line) else: - break - else: - print(" Unable to retrieve ", pset, ". Skipping...") - failed.append(pset) - psetdefs += p -psetdefs = psetdefs.replace('', "") -psetdefs = '\n\n' + psetdefs + "" + qtos.append(handler.line) -f = codecs.open("pset_definitions.xml", "wb", "utf-8") -f.write(psetdefs) -f.close() -print( - "All done! writing " - + os.path.join(os.path.abspath(os.curdir), "pset_definitions.xml") -) -if failed: - print("The following psets failed and were not retrieved:", failed) +print("Saving files...") + +with open("../Presets/pset_definitions.csv", "w") as f: + for l in psets: + f.write(l.strip(";") + "\n") + +with open("../Presets/qto_definitions.csv", "w") as f: + for l in qtos: + f.write(l.strip(";") + "\n") + +os.remove("psd.zip") diff --git a/src/Mod/BIM/utils/convertPsets.py b/src/Mod/BIM/utils/convertPsets.py deleted file mode 100644 index ca2a6e8390..0000000000 --- a/src/Mod/BIM/utils/convertPsets.py +++ /dev/null @@ -1,102 +0,0 @@ -# *************************************************************************** -# * * -# * Copyright (c) 2018 Yorik van Havre * -# * * -# * This program is free software; you can redistribute it and/or modify * -# * it under the terms of the GNU Lesser General Public License (LGPL) * -# * as published by the Free Software Foundation; either version 2 of * -# * the License, or (at your option) any later version. * -# * for detail see the LICENCE text file. * -# * * -# * This program is distributed in the hope that it will be useful, * -# * but WITHOUT ANY WARRANTY; without even the implied warranty of * -# * MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE. See the * -# * GNU Library General Public License for more details. * -# * * -# * You should have received a copy of the GNU Library General Public * -# * License along with this program; if not, write to the Free Software * -# * Foundation, Inc., 59 Temple Place, Suite 330, Boston, MA 02111-1307 * -# * USA * -# * * -# *************************************************************************** - -"""This script converts a xml file containing pset definitions to a csv file. -Python3 only!! (py2 csv doesn't support utf8""" - -import xml.sax, os - - -class PropertyDefHandler(xml.sax.ContentHandler): - "A XML handler to process pset definitions" - - # this creates a dictionary where each key is a Pset name, - # and each value is a list of [property,type] lists - - def __init__(self): - super().__init__() - self.psets = {} - self.currentpset = None - self.currentprop = None - self.currenttype = None - self.currentlist = [] - self.charbuffer = [] - self.writing = False - - # Call when raw text is read - - def characters(self, data): - if self.writing: - self.charbuffer.append(data) - - # Call when an element starts - - def startElement(self, tag, attributes): - if tag == "Name": - self.writing = True - if tag == "DataType": - self.currenttype = attributes["type"] - - # Call when an elements ends - - def endElement(self, tag): - if tag == "Name": - if not self.currentpset: - self.currentpset = "".join(self.charbuffer) - else: - if not self.currentprop: - self.currentprop = "".join(self.charbuffer) - self.writing = False - self.charbuffer = [] - elif tag == "PropertyDef": - if self.currentprop and self.currenttype: - self.currentlist.append([self.currentprop, self.currenttype]) - self.currentprop = None - self.currenttype = None - elif tag == "PropertySetDef": - if self.currentpset and self.currentlist: - self.psets[self.currentpset] = self.currentlist - self.currentpset = None - self.currentlist = [] - - -defpath = "pset_definitions.xml" -outpath = "pset_definitions.csv" - -if os.path.exists(defpath): - handler = PropertyDefHandler() - parser = xml.sax.make_parser() - # parser.setFeature(xml.sax.handler.feature_namespaces, 0) - parser.setContentHandler(handler) - parser.parse(defpath) - psets = handler.psets - - import csv - - with open(outpath, "w", encoding="utf-8") as csvfile: - csvfile = csv.writer(csvfile, delimiter=";") - for key, values in psets.items(): - r = [key] - for value in values: - r.extend(value) - csvfile.writerow(r) - print("successfully exported ", outpath) diff --git a/src/Mod/BIM/utils/pset_definitions.csv b/src/Mod/BIM/utils/pset_definitions.csv deleted file mode 100644 index a96d59f81d..0000000000 --- a/src/Mod/BIM/utils/pset_definitions.csv +++ /dev/null @@ -1,351 +0,0 @@ -Pset_ActionRequest;RequestSourceLabel;IfcLabel;RequestComments;IfcText -Pset_ActorCommon;NumberOfActors;IfcCountMeasure;Category;IfcLabel;SkillLevel;IfcLabel -Pset_ActuatorTypeCommon;Reference;IfcIdentifier;ManualOverride;IfcBoolean -Pset_ActuatorTypeElectricActuator;ActuatorInputPower;IfcPowerMeasure -Pset_ActuatorTypeHydraulicActuator;InputPressure;IfcPressureMeasure;InputFlowrate;IfcVolumetricFlowRateMeasure -Pset_ActuatorTypeLinearActuation;Force;IfcForceMeasure;Stroke;IfcLengthMeasure -Pset_ActuatorTypePneumaticActuator;InputPressure;IfcPressureMeasure;InputFlowrate;IfcVolumetricFlowRateMeasure -Pset_ActuatorTypeRotationalActuation;Torque;IfcTorqueMeasure;RangeAngle;IfcPlaneAngleMeasure -Pset_AirSideSystemInformation;Name;IfcLabel;Description;IfcLabel;TotalAirflow;IfcVolumetricFlowRateMeasure;EnergyGainTotal;IfcPowerMeasure;AirflowSensible;IfcVolumetricFlowRateMeasure;EnergyGainSensible;IfcPowerMeasure;EnergyLoss;IfcPowerMeasure;LightingDiversity;IfcPositiveRatioMeasure;InfiltrationDiversitySummer;IfcPositiveRatioMeasure;InfiltrationDiversityWinter;IfcPositiveRatioMeasure;ApplianceDiversity;IfcPositiveRatioMeasure;LoadSafetyFactor;IfcPositiveRatioMeasure;HeatingTemperatureDelta;IfcThermodynamicTemperatureMeasure;CoolingTemperatureDelta;IfcThermodynamicTemperatureMeasure;Ventilation;IfcVolumetricFlowRateMeasure;FanPower;IfcPowerMeasure -Pset_AirTerminalBoxTypeCommon;Reference;IfcIdentifier;AirflowRateRange;IfcVolumetricFlowRateMeasure;AirPressureRange;IfcPressureMeasure;NominalAirFlowRate;IfcVolumetricFlowRateMeasure;HasSoundAttenuator;IfcBoolean;HasReturnAir;IfcBoolean;HasFan;IfcBoolean;NominalInletAirPressure;IfcPressureMeasure;NominalDamperDiameter;IfcPositiveLengthMeasure;HousingThickness;IfcLengthMeasure;OperationTemperatureRange;IfcThermodynamicTemperatureMeasure;ReturnAirFractionRange;IfcPositiveRatioMeasure -Pset_AirTerminalOccurrence;AirFlowRate;IfcVolumetricFlowRateMeasure -Pset_AirTerminalPHistory;InductionRatio;IfcLengthMeasure;CenterlineAirVelocity;IfcLengthMeasure -Pset_AirTerminalTypeCommon;Reference;IfcIdentifier;SlotWidth;IfcPositiveLengthMeasure;SlotLength;IfcPositiveLengthMeasure;NumberOfSlots;IfcInteger;AirFlowrateRange;IfcVolumetricFlowRateMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure;ThrowLength;IfcLengthMeasure;AirDiffusionPerformanceIndex;IfcReal;FinishColor;IfcLabel;CoreSetHorizontal;IfcPlaneAngleMeasure;CoreSetVertical;IfcPlaneAngleMeasure;HasIntegralControl;IfcBoolean;HasSoundAttenuator;IfcBoolean;HasThermalInsulation;IfcBoolean;NeckArea;IfcAreaMeasure;EffectiveArea;IfcAreaMeasure;AirFlowrateVersusFlowControlElement;IfcPositiveRatioMeasure -Pset_AirToAirHeatRecoveryTypeCommon;Reference;IfcIdentifier;HasDefrost;IfcBoolean;OperationalTemperatureRange;IfcThermodynamicTemperatureMeasure;PrimaryAirflowRateRange;IfcVolumetricFlowRateMeasure;SecondaryAirflowRateRange;IfcPressureMeasure -Pset_AlarmTypeCommon;Reference;IfcIdentifier;Condition;IfcLabel -Pset_AnnotationContourLine;ContourValue;IfcLengthMeasure -Pset_AnnotationLineOfSight;SetbackDistance;IfcPositiveLengthMeasure;VisibleAngleLeft;IfcPositivePlaneAngleMeasure;VisibleAngleRight;IfcPositivePlaneAngleMeasure;RoadVisibleDistanceLeft;IfcPositiveLengthMeasure;RoadVisibleDistanceRight;IfcPositiveLengthMeasure -Pset_AnnotationSurveyArea;AccuracyQualityObtained;IfcRatioMeasure;AccuracyQualityExpected;IfcRatioMeasure -Pset_AudioVisualApplianceTypeAmplifier;AudioAmplification;IfcSoundPowerMeasure;AudioMode;IfcLabel -Pset_AudioVisualApplianceTypeCamera;IsOutdoors;IfcBoolean;VideoResolutionWidth;IfcInteger;VideoResolutionHeight;IfcInteger;VideoResolutionMode;IfcLabel;VideoCaptureInterval;IfcTimeMeasure;PanTiltZoomPreset;IfcLabel;PanHorizontal;IfcLengthMeasure;PanVertical;IfcLengthMeasure;TiltHorizontal;IfcPlaneAngleMeasure;TiltVertical;IfcPlaneAngleMeasure;Zoom;IfcPositiveLengthMeasure -Pset_AudioVisualApplianceTypeCommon;Reference;IfcIdentifier;MediaSource;IfcLabel;AudioVolume;IfcSoundPowerMeasure -Pset_AudioVisualApplianceTypeDisplay;NominalSize;IfcPositiveLengthMeasure;DisplayWidth;IfcPositiveLengthMeasure;DisplayHeight;IfcPositiveLengthMeasure;Brightness;IfcIlluminanceMeasure;ContrastRatio;IfcPositiveRatioMeasure;RefreshRate;IfcFrequencyMeasure;VideoResolutionWidth;IfcInteger;VideoResolutionHeight;IfcInteger;VideoResolutionMode;IfcLabel;VideoScaleMode;IfcLabel;VideoCaptionMode;IfcLabel;AudioMode;IfcLabel -Pset_AudioVisualApplianceTypePlayer;PlayerMediaEject;IfcBoolean;PlayerMediaFormat;IfcLabel -Pset_AudioVisualApplianceTypeProjector;VideoResolutionWidth;IfcInteger;VideoResolutionHeight;IfcInteger;VideoResolutionMode;IfcLabel;VideoScaleMode;IfcLabel;VideoCaptionMode;IfcLabel -Pset_AudioVisualApplianceTypeReceiver;AudioAmplification;IfcRatioMeasure;AudioMode;IfcLabel -Pset_AudioVisualApplianceTypeSpeaker;SpeakerDriverSize;IfcPositiveLengthMeasure;FrequencyResponse;IfcSoundPowerMeasure;Impedence;IfcFrequencyMeasure -Pset_AudioVisualApplianceTypeTuner;TunerMode;IfcLabel;TunerChannel;IfcLabel;TunerFrequency;IfcFrequencyMeasure -Pset_BeamCommon;Reference;IfcIdentifier;Span;IfcPositiveLengthMeasure;Slope;IfcPlaneAngleMeasure;Roll;IfcPlaneAngleMeasure;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean;FireRating;IfcLabel -Pset_BoilerTypeCommon;Reference;IfcIdentifier;PressureRating;IfcPressureMeasure;HeatTransferSurfaceArea;IfcAreaMeasure;NominalPartLoadRatio;IfcReal;WaterInletTemperatureRange;IfcThermodynamicTemperatureMeasure;WaterStorageCapacity;IfcVolumeMeasure;IsWaterStorageHeater;IfcBoolean;PartialLoadEfficiencyCurves;IfcNormalisedRatioMeasure;OutletTemperatureRange;IfcThermodynamicTemperatureMeasure;NominalEnergyConsumption;IfcPowerMeasure -Pset_BoilerTypeSteam;MaximumOutletPressure;IfcLabel;NominalEfficiency;IfcNormalisedRatioMeasure;HeatOutput;IfcEnergyMeasure -Pset_BoilerTypeWater;NominalEfficiency;IfcNormalisedRatioMeasure;HeatOutput;IfcEnergyMeasure -Pset_BuildingCommon;Reference;IfcIdentifier;BuildingID;IfcIdentifier;IsPermanentID;IfcBoolean;ConstructionMethod;IfcLabel;FireProtectionClass;IfcLabel;SprinklerProtection;IfcBoolean;SprinklerProtectionAutomatic;IfcBoolean;OccupancyType;IfcLabel;GrossPlannedArea;IfcAreaMeasure;NetPlannedArea;IfcAreaMeasure;NumberOfStoreys;IfcInteger;YearOfConstruction;IfcLabel;YearOfLastRefurbishment;IfcLabel;IsLandmarked;IfcLogical -Pset_BuildingElementProxyCommon;Reference;IfcIdentifier;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean;FireRating;IfcLabel -Pset_BuildingElementProxyProvisionForVoid;Shape;IfcLabel;Width;IfcPositiveLengthMeasure;Height;IfcPositiveLengthMeasure;Diameter;IfcPositiveLengthMeasure;Depth;IfcPositiveLengthMeasure;System;IfcLabel -Pset_BuildingStoreyCommon;Reference;IfcIdentifier;EntranceLevel;IfcBoolean;AboveGround;IfcLogical;SprinklerProtection;IfcBoolean;SprinklerProtectionAutomatic;IfcBoolean;LoadBearingCapacity;IfcPlanarForceMeasure;GrossPlannedArea;IfcAreaMeasure;NetPlannedArea;IfcAreaMeasure -Pset_BuildingSystemCommon;Reference;IfcIdentifier -Pset_BuildingUse;MarketCategory;IfcLabel;MarketSubCategory;IfcLabel;PlanningControlStatus;IfcLabel;NarrativeText;IfcText;VacancyRateInCategoryNow;IfcPositiveRatioMeasure;TenureModesAvailableNow;IfcLabel;MarketSubCategoriesAvailableNow;IfcLabel;RentalRatesInCategoryNow;IfcMonetaryMeasure;VacancyRateInCategoryFuture;IfcPositiveRatioMeasure;TenureModesAvailableFuture;IfcLabel;MarketSubCategoriesAvailableFuture;IfcLabel;RentalRatesInCategoryFuture;IfcMonetaryMeasure -Pset_BuildingUseAdjacent;MarketCategory;IfcLabel;MarketSubCategory;IfcLabel;PlanningControlStatus;IfcLabel;NarrativeText;IfcText -Pset_BurnerTypeCommon;Reference;IfcIdentifier -Pset_CableCarrierFittingTypeCommon;Reference;IfcIdentifier -Pset_CableCarrierSegmentTypeCableLadderSegment;NominalWidth;IfcPositiveLengthMeasure;NominalHeight;IfcPositiveLengthMeasure;LadderConfiguration;IfcText -Pset_CableCarrierSegmentTypeCableTraySegment;NominalWidth;IfcPositiveLengthMeasure;NominalHeight;IfcPositiveLengthMeasure;HasCover;IfcBoolean -Pset_CableCarrierSegmentTypeCableTrunkingSegment;NominalWidth;IfcPositiveLengthMeasure;NominalHeight;IfcPositiveLengthMeasure;NumberOfCompartments;IfcInteger -Pset_CableCarrierSegmentTypeCommon;Reference;IfcIdentifier -Pset_CableCarrierSegmentTypeConduitSegment;NominalWidth;IfcPositiveLengthMeasure;NominalHeight;IfcPositiveLengthMeasure;IsRigid;IfcBoolean -Pset_CableFittingTypeCommon;Reference;IfcIdentifier -Pset_CableSegmentOccurrence;DesignAmbientTemperature;IfcThermodynamicTemperatureMeasure;UserCorrectionFactor;IfcReal;NumberOfParallelCircuits;IfcInteger;InstallationMethod;IfcLabel;DistanceBetweenParallelCircuits;IfcLengthMeasure;SoilConductivity;IfcThermalConductivityMeasure;CarrierStackNumber;IfcInteger;IsHorizontalCable;IfcBoolean;IsMountedFlatCable;IfcBoolean;CurrentCarryingCapasity;IfcElectricCurrentMeasure;MaximumCableLength;IfcLengthMeasure;PowerLoss;IfcElectricCurrentMeasure -Pset_CableSegmentTypeBusBarSegment;IsHorizontalBusbar;IfcBoolean -Pset_CableSegmentTypeCableSegment;Standard;IfcLabel;NumberOfCores;IfcInteger;OverallDiameter;IfcPositiveLengthMeasure;RatedVoltage;IfcElectricVoltageMeasure;RatedTemperature;IfcThermodynamicTemperatureMeasure;ScreenDiameter;IfcPositiveLengthMeasure;HasProtectiveEarth;IfcBoolean;MaximumOperatingTemperature;IfcThermodynamicTemperatureMeasure;MaximumShortCircuitTemperature;IfcThermodynamicTemperatureMeasure;SpecialConstruction;IfcLabel;Weight;IfcMassMeasure;SelfExtinguishing60332_1;IfcBoolean;SelfExtinguishing60332_3;IfcBoolean;HalogenProof;IfcBoolean;FunctionReliable;IfcBoolean -Pset_CableSegmentTypeCommon;Reference;IfcIdentifier -Pset_CableSegmentTypeConductorSegment;CrossSectionalArea;IfcAreaMeasure -Pset_CableSegmentTypeCoreSegment;OverallDiameter;IfcPositiveLengthMeasure;RatedVoltage;IfcElectricVoltageMeasure;RatedTemperature;IfcThermodynamicTemperatureMeasure;ScreenDiameter;IfcPositiveLengthMeasure;CoreIdentifier;IfcIdentifier;Weight;IfcMassMeasure;SelfExtinguishing60332_1;IfcBoolean;SelfExtinguishing60332_3;IfcBoolean;HalogenProof;IfcBoolean;FunctionReliable;IfcBoolean;Standard;IfcLabel -Pset_ChillerTypeCommon;Reference;IfcIdentifier;NominalCapacity;IfcPowerMeasure;NominalEfficiency;IfcPositiveRatioMeasure;NominalCondensingTemperature;IfcThermodynamicTemperatureMeasure;NominalEvaporatingTemperature;IfcThermodynamicTemperatureMeasure;NominalHeatRejectionRate;IfcPowerMeasure;NominalPowerConsumption;IfcPowerMeasure;CapacityCurve;IfcPowerMeasure;CoefficientOfPerformanceCurve;IfcReal;FullLoadRatioCurve;IfcNormalisedRatioMeasure -Pset_ChimneyCommon;Reference;IfcIdentifier;NumberOfDrafts;IfcCountMeasure;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean;FireRating;IfcLabel -Pset_CivilElementCommon;Reference;IfcIdentifier -Pset_CoilOccurrence;HasSoundAttenuation;IfcBoolean -Pset_CoilTypeCommon;Reference;IfcIdentifier;OperationalTemperatureRange;IfcThermodynamicTemperatureMeasure;AirflowRateRange;IfcVolumetricFlowRateMeasure;NominalSensibleCapacity;IfcPowerMeasure;NominalLatentCapacity;IfcPowerMeasure;NominalUA;IfcReal -Pset_CoilTypeHydronic;FluidPressureRange;IfcPressureMeasure;CoilFaceArea;IfcAreaMeasure;HeatExchangeSurfaceArea;IfcAreaMeasure;PrimarySurfaceArea;IfcAreaMeasure;SecondarySurfaceArea;IfcAreaMeasure;TotalUACurves;IfcVolumetricFlowRateMeasure;WaterPressureDropCurve;IfcPressureMeasure;BypassFactor;IfcNormalisedRatioMeasure;SensibleHeatRatio;IfcNormalisedRatioMeasure;WetCoilFraction;IfcNormalisedRatioMeasure -Pset_ColumnCommon;Reference;IfcIdentifier;Slope;IfcPlaneAngleMeasure;Roll;IfcPlaneAngleMeasure;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean;FireRating;IfcLabel -Pset_CommunicationsApplianceTypeCommon;Reference;IfcIdentifier -Pset_CompressorTypeCommon;Reference;IfcIdentifier;MinimumPartLoadRatio;IfcPositiveRatioMeasure;MaximumPartLoadRatio;IfcPositiveRatioMeasure;CompressorSpeed;IfcRotationalFrequencyMeasure;NominalCapacity;IfcPowerMeasure;IdealCapacity;IfcPowerMeasure;IdealShaftPower;IfcPowerMeasure;HasHotGasBypass;IfcBoolean;ImpellerDiameter;IfcPositiveLengthMeasure -Pset_ConcreteElementGeneral;ConstructionMethod;IfcLabel;StructuralClass;IfcLabel;StrengthClass;IfcLabel;ExposureClass;IfcLabel;ReinforcementVolumeRatio;IfcMassDensityMeasure;ReinforcementAreaRatio;IfcAreaDensityMeasure;DimensionalAccuracyClass;IfcLabel;ConstructionToleranceClass;IfcLabel;ConcreteCover;IfcPositiveLengthMeasure;ConcreteCoverAtMainBars;IfcPositiveLengthMeasure;ConcreteCoverAtLinks;IfcPositiveLengthMeasure;ReinforcementStrengthClass;IfcLabel -Pset_CondenserTypeCommon;Reference;IfcIdentifier;ExternalSurfaceArea;IfcAreaMeasure;InternalSurfaceArea;IfcAreaMeasure;InternalRefrigerantVolume;IfcVolumeMeasure;InternalWaterVolume;IfcVolumeMeasure;NominalHeatTransferArea;IfcAreaMeasure;NominalHeatTransferCoefficient;IfcThermalTransmittanceMeasure -Pset_Condition;AssessmentDate;IfcDate;AssessmentCondition;IfcLabel;AssessmentDescription;IfcText -Pset_ControllerTypeCommon;Reference;IfcIdentifier -Pset_ControllerTypeFloating;Labels;IfcLabel;Range;IfcReal;Value;IfcReal;SignalOffset;IfcReal;SignalFactor;IfcReal;SignalTime;IfcTimeMeasure -Pset_ControllerTypeMultiPosition;Labels;IfcLabel;Range;IfcInteger;Value;IfcInteger -Pset_ControllerTypeProgrammable;FirmwareVersion;IfcLabel;SoftwareVersion;IfcLabel -Pset_ControllerTypeProportional;Labels;IfcLabel;Range;IfcReal;Value;IfcReal;ProportionalConstant;IfcReal;IntegralConstant;IfcReal;DerivativeConstant;IfcReal;SignalTimeIncrease;IfcTimeMeasure;SignalTimeDecrease;IfcTimeMeasure -Pset_ControllerTypeTwoPosition;Labels;IfcLabel;Polarity;IfcBoolean;Value;IfcBoolean -Pset_CooledBeamTypeActive;AirflowRateRange;IfcVolumetricFlowRateMeasure;ConnectionSize;IfcLengthMeasure -Pset_CooledBeamTypeCommon;Reference;IfcIdentifier;IsFreeHanging;IfcBoolean;WaterPressureRange;IfcPressureMeasure;NominalCoolingCapacity;IfcPowerMeasure;NominalSurroundingTemperatureCooling;IfcThermodynamicTemperatureMeasure;NominalSurroundingHumidityCooling;IfcNormalisedRatioMeasure;NominalSupplyWaterTemperatureCooling;IfcThermodynamicTemperatureMeasure;NominalReturnWaterTemperatureCooling;IfcThermodynamicTemperatureMeasure;NominalWaterFlowCooling;IfcVolumetricFlowRateMeasure;NominalHeatingCapacity;IfcPowerMeasure;NominalSurroundingTemperatureHeating;IfcThermodynamicTemperatureMeasure;NominalSupplyWaterTemperatureHeating;IfcThermodynamicTemperatureMeasure;NominalReturnWaterTemperatureHeating;IfcThermodynamicTemperatureMeasure;NominalWaterFlowHeating;IfcVolumetricFlowRateMeasure;FinishColor;IfcLabel;CoilLength;IfcPositiveLengthMeasure;CoilWidth;IfcPositiveLengthMeasure -Pset_CoolingTowerTypeCommon;Reference;IfcIdentifier;NominalCapacity;IfcPowerMeasure;NumberOfCells;IfcInteger;BasinReserveVolume;IfcVolumeMeasure;LiftElevationDifference;IfcPositiveLengthMeasure;WaterRequirement;IfcVolumetricFlowRateMeasure;OperationTemperatureRange;IfcThermodynamicTemperatureMeasure;AmbientDesignDryBulbTemperature;IfcThermodynamicTemperatureMeasure;AmbientDesignWetBulbTemperature;IfcThermodynamicTemperatureMeasure -Pset_CoveringCeiling;Permeability;IfcNormalisedRatioMeasure;TileLength;IfcPositiveLengthMeasure;TileWidth;IfcPositiveLengthMeasure -Pset_CoveringCommon;Reference;IfcIdentifier;AcousticRating;IfcLabel;FlammabilityRating;IfcLabel;FragilityRating;IfcLabel;Combustible;IfcBoolean;SurfaceSpreadOfFlame;IfcLabel;Finish;IfcText;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;FireRating;IfcLabel -Pset_CoveringFlooring;HasNonSkidSurface;IfcBoolean;HasAntiStaticSurface;IfcBoolean -Pset_CurtainWallCommon;Reference;IfcIdentifier;AcousticRating;IfcLabel;FireRating;IfcLabel;Combustible;IfcBoolean;SurfaceSpreadOfFlame;IfcLabel;ThermalTransmittance;IfcThermalTransmittanceMeasure;IsExternal;IfcBoolean -Pset_DamperTypeCommon;Reference;IfcIdentifier;BladeThickness;IfcPositiveLengthMeasure;NumberofBlades;IfcInteger;FaceArea;IfcAreaMeasure;MaximumAirFlowRate;IfcVolumetricFlowRateMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure;MaximumWorkingPressure;IfcPressureMeasure;TemperatureRating;IfcThermodynamicTemperatureMeasure;NominalAirFlowRate;IfcVolumetricFlowRateMeasure;OpenPressureDrop;IfcPressureMeasure;LeakageFullyClosed;IfcVolumetricFlowRateMeasure;LossCoefficentCurve;IfcReal;LeakageCurve;IfcPressureMeasure;RegeneratedSoundCurve;IfcSoundPressureMeasure;FrameType;IfcLabel;FrameDepth;IfcPositiveLengthMeasure;FrameThickness;IfcPositiveLengthMeasure;CloseOffRating;IfcPressureMeasure -Pset_DamperTypeControlDamper;TorqueRange;IfcTorqueMeasure -Pset_DamperTypeFireDamper;FireResistanceRating;IfcLabel;FusibleLinkTemperature;IfcThermodynamicTemperatureMeasure -Pset_DamperTypeFireSmokeDamper;ControlType;IfcLabel;FireResistanceRating;IfcLabel;FusibleLinkTemperature;IfcThermodynamicTemperatureMeasure -Pset_DamperTypeSmokeDamper;ControlType;IfcLabel -Pset_DiscreteAccessoryColumnShoe;ColumnShoeBasePlateThickness;IfcPositiveLengthMeasure;ColumnShoeBasePlateWidth;IfcPositiveLengthMeasure;ColumnShoeBasePlateDepth;IfcPositiveLengthMeasure;ColumnShoeCasingHeight;IfcPositiveLengthMeasure;ColumnShoeCasingWidth;IfcPositiveLengthMeasure;ColumnShoeCasingDepth;IfcPositiveLengthMeasure -Pset_DiscreteAccessoryCornerFixingPlate;CornerFixingPlateLength;IfcPositiveLengthMeasure;CornerFixingPlateThickness;IfcPositiveLengthMeasure;CornerFixingPlateFlangeWidthInPlaneZ;IfcPositiveLengthMeasure;CornerFixingPlateFlangeWidthInPlaneX;IfcPositiveLengthMeasure -Pset_DiscreteAccessoryDiagonalTrussConnector;DiagonalTrussHeight;IfcPositiveLengthMeasure;DiagonalTrussLength;IfcPositiveLengthMeasure;DiagonalTrussCrossBarSpacing;IfcPositiveLengthMeasure;DiagonalTrussBaseBarDiameter;IfcPositiveLengthMeasure;DiagonalTrussSecondaryBarDiameter;IfcPositiveLengthMeasure;DiagonalTrussCrossBarDiameter;IfcPositiveLengthMeasure -Pset_DiscreteAccessoryEdgeFixingPlate;EdgeFixingPlateLength;IfcPositiveLengthMeasure;EdgeFixingPlateThickness;IfcPositiveLengthMeasure;EdgeFixingPlateFlangeWidthInPlaneZ;IfcPositiveLengthMeasure;EdgeFixingPlateFlangeWidthInPlaneX;IfcPositiveLengthMeasure -Pset_DiscreteAccessoryFixingSocket;FixingSocketHeight;IfcPositiveLengthMeasure;FixingSocketThreadDiameter;IfcPositiveLengthMeasure;FixingSocketThreadLength;IfcPositiveLengthMeasure -Pset_DiscreteAccessoryLadderTrussConnector;LadderTrussHeight;IfcPositiveLengthMeasure;LadderTrussLength;IfcPositiveLengthMeasure;LadderTrussCrossBarSpacing;IfcPositiveLengthMeasure;LadderTrussBaseBarDiameter;IfcPositiveLengthMeasure;LadderTrussSecondaryBarDiameter;IfcPositiveLengthMeasure;LadderTrussCrossBarDiameter;IfcPositiveLengthMeasure -Pset_DiscreteAccessoryStandardFixingPlate;StandardFixingPlateWidth;IfcPositiveLengthMeasure;StandardFixingPlateDepth;IfcPositiveLengthMeasure;StandardFixingPlateThickness;IfcPositiveLengthMeasure -Pset_DiscreteAccessoryWireLoop;WireLoopBasePlateThickness;IfcPositiveLengthMeasure;WireLoopBasePlateWidth;IfcPositiveLengthMeasure;WireLoopBasePlateLength;IfcPositiveLengthMeasure;WireDiameter;IfcPositiveLengthMeasure;WireEmbeddingLength;IfcPositiveLengthMeasure;WireLoopLength;IfcPositiveLengthMeasure -Pset_DistributionChamberElementCommon;Reference;IfcIdentifier -Pset_DistributionChamberElementTypeFormedDuct;ClearWidth;IfcPositiveLengthMeasure;ClearDepth;IfcPositiveLengthMeasure;WallThickness;IfcPositiveLengthMeasure;BaseThickness;IfcPositiveLengthMeasure;AccessCoverLoadRating;IfcText -Pset_DistributionChamberElementTypeInspectionChamber;ChamberLengthOrRadius;IfcPositiveLengthMeasure;ChamberWidth;IfcPositiveLengthMeasure;InvertLevel;IfcLengthMeasure;SoffitLevel;IfcLengthMeasure;WallThickness;IfcPositiveLengthMeasure;BaseThickness;IfcPositiveLengthMeasure;WithBackdrop;IfcBoolean;AccessLengthOrRadius;IfcPositiveLengthMeasure;AccessWidth;IfcPositiveLengthMeasure;AccessCoverLoadRating;IfcText -Pset_DistributionChamberElementTypeInspectionPit;Length;IfcPositiveLengthMeasure;Width;IfcPositiveLengthMeasure;Depth;IfcPositiveLengthMeasure -Pset_DistributionChamberElementTypeManhole;InvertLevel;IfcLengthMeasure;SoffitLevel;IfcLengthMeasure;WallThickness;IfcPositiveLengthMeasure;BaseThickness;IfcPositiveLengthMeasure;IsShallow;IfcBoolean;HasSteps;IfcBoolean;WithBackdrop;IfcBoolean;AccessLengthOrRadius;IfcPositiveLengthMeasure;AccessWidth;IfcPositiveLengthMeasure;AccessCoverLoadRating;IfcText -Pset_DistributionChamberElementTypeMeterChamber;ChamberLengthOrRadius;IfcPositiveLengthMeasure;ChamberWidth;IfcPositiveLengthMeasure;WallThickness;IfcPositiveLengthMeasure;BaseThickness;IfcPositiveLengthMeasure -Pset_DistributionChamberElementTypeSump;Length;IfcPositiveLengthMeasure;Width;IfcPositiveLengthMeasure;InvertLevel;IfcPositiveLengthMeasure -Pset_DistributionChamberElementTypeTrench;Width;IfcPositiveLengthMeasure;Depth;IfcPositiveLengthMeasure;InvertLevel;IfcLengthMeasure -Pset_DistributionChamberElementTypeValveChamber;ChamberLengthOrRadius;IfcPositiveLengthMeasure;ChamberWidth;IfcPositiveLengthMeasure;WallThickness;IfcPositiveLengthMeasure;BaseThickness;IfcPositiveLengthMeasure -Pset_DistributionPortCommon;PortNumber;IfcInteger;ColorCode;IfcLabel -Pset_DistributionPortTypeCable;ConnectionSubtype;IfcLabel;CurrentContent3rdHarmonic;IfcPositiveRatioMeasure;Current;IfcElectricCurrentMeasure;Voltage;IfcElectricVoltageMeasure;Power;IfcPowerMeasure;Protocols;IfcIdentifier -Pset_DistributionPortTypeDuct;ConnectionSubType;IfcLabel;NominalWidth;IfcPositiveLengthMeasure;NominalHeight;IfcPositiveLengthMeasure;NominalThickness;IfcPositiveLengthMeasure;DryBulbTemperature;IfcThermodynamicTemperatureMeasure;WetBulbTemperature;IfcThermodynamicTemperatureMeasure;VolumetricFlowRate;IfcVolumetricFlowRateMeasure;Velocity;IfcLinearVelocityMeasure;Pressure;IfcPressureMeasure -Pset_DistributionPortTypePipe;ConnectionSubType;IfcLabel;NominalDiameter;IfcPositiveLengthMeasure;InnerDiameter;IfcPositiveLengthMeasure;OuterDiameter;IfcPositiveLengthMeasure;Temperature;IfcThermodynamicTemperatureMeasure;VolumetricFlowRate;IfcVolumetricFlowRateMeasure;MassFlowRate;IfcMassFlowRateMeasure;FlowCondition;IfcPositiveRatioMeasure;Velocity;IfcLinearVelocityMeasure;Pressure;IfcPressureMeasure -Pset_DistributionSystemCommon;Reference;IfcIdentifier -Pset_DistributionSystemTypeElectrical;Diversity;IfcPositiveRatioMeasure;NumberOfLiveConductors;IfcInteger;MaximumAllowedVoltageDrop;IfcElectricVoltageMeasure;NetImpedance;IfcElectricResistanceMeasure -Pset_DistributionSystemTypeVentilation;DesignName;IfcLabel;PressureClass;IfcPressureMeasure;LeakageClass;IfcPressureMeasure;FrictionLoss;IfcReal;ScrapFactor;IfcReal;MaximumVelocity;IfcLinearVelocityMeasure;AspectRatio;IfcReal;MinimumHeight;IfcPositiveLengthMeasure;MinimumWidth;IfcPositiveLengthMeasure -Pset_DoorCommon;Reference;IfcIdentifier;FireRating;IfcLabel;AcousticRating;IfcLabel;SecurityRating;IfcLabel;DurabilityRating;IfcLabel;HygrothermalRating;IfcLabel;WaterTightnessRating;IfcLabel;MechanicalLoadRating;IfcLabel;WindLoadRating;IfcLabel;Infiltration;IfcVolumetricFlowRateMeasure;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;GlazingAreaFraction;IfcPositiveRatioMeasure;HandicapAccessible;IfcBoolean;FireExit;IfcBoolean;HasDrive;IfcBoolean;SelfClosing;IfcBoolean;SmokeStop;IfcBoolean -Pset_DoorWindowGlazingType;GlassLayers;IfcCountMeasure;GlassThickness1;IfcPositiveLengthMeasure;GlassThickness2;IfcPositiveLengthMeasure;GlassThickness3;IfcPositiveLengthMeasure;FillGas;IfcLabel;GlassColor;IfcLabel;IsTempered;IfcBoolean;IsLaminated;IfcBoolean;IsCoated;IfcBoolean;IsWired;IfcBoolean;VisibleLightReflectance;IfcNormalisedRatioMeasure;VisibleLightTransmittance;IfcNormalisedRatioMeasure;SolarAbsorption;IfcNormalisedRatioMeasure;SolarReflectance;IfcNormalisedRatioMeasure;SolarTransmittance;IfcNormalisedRatioMeasure;SolarHeatGainTransmittance;IfcNormalisedRatioMeasure;ShadingCoefficient;IfcNormalisedRatioMeasure;ThermalTransmittanceSummer;IfcThermalTransmittanceMeasure;ThermalTransmittanceWinter;IfcThermalTransmittanceMeasure -Pset_DuctFittingOccurrence;InteriorRoughnessCoefficient;IfcPositiveLengthMeasure;HasLiner;IfcBoolean;Color;IfcLabel -Pset_DuctFittingTypeCommon;Reference;IfcIdentifier;PressureClass;IfcPressureMeasure;PressureRange;IfcPressureMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure -Pset_DuctSegmentOccurrence;InteriorRoughnessCoefficient;IfcPositiveLengthMeasure;HasLiner;IfcBoolean;Color;IfcLabel -Pset_DuctSegmentTypeCommon;Reference;IfcIdentifier;WorkingPressure;IfcPressureMeasure;PressureRange;IfcPressureMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure;LongitudinalSeam;IfcText;NominalDiameterOrWidth;IfcPositiveLengthMeasure;NominalHeight;IfcPositiveLengthMeasure;Reinforcement;IfcLabel;ReinforcementSpacing;IfcPositiveLengthMeasure -Pset_DuctSilencerTypeCommon;Reference;IfcIdentifier;HydraulicDiameter;IfcLengthMeasure;Length;IfcLengthMeasure;Weight;IfcMassMeasure;AirFlowrateRange;IfcVolumetricFlowRateMeasure;WorkingPressureRange;IfcPressureMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure;HasExteriorInsulation;IfcBoolean -Pset_ElectricalDeviceCommon;RatedCurrent;IfcElectricCurrentMeasure;RatedVoltage;IfcElectricVoltageMeasure;NominalFrequencyRange;IfcFrequencyMeasure;PowerFactor;IfcNormalisedRatioMeasure;NumberOfPoles;IfcInteger;HasProtectiveEarth;IfcBoolean;IP_Code;IfcLabel;IK_Code;IfcLabel -Pset_ElectricApplianceTypeCommon;Reference;IfcIdentifier -Pset_ElectricDistributionBoardOccurrence;IsMain;IfcBoolean;IsSkilledOperator;IfcBoolean -Pset_ElectricDistributionBoardTypeCommon;Reference;IfcIdentifier -Pset_ElectricFlowStorageDeviceTypeCommon;Reference;IfcIdentifier;NominalSupplyVoltage;IfcElectricVoltageMeasure;NominalSupplyVoltageOffset;IfcElectricVoltageMeasure;NominalFrequency;IfcFrequencyMeasure;ShortCircuit3PoleMaximumState;IfcElectricCurrentMeasure;ShortCircuit3PolePowerFactorMaximumState;IfcReal;ShortCircuit2PoleMinimumState;IfcElectricCurrentMeasure;ShortCircuit2PolePowerFactorMinimumState;IfcReal;ShortCircuit1PoleMaximumState;IfcElectricCurrentMeasure;ShortCircuit1PolePowerFactorMaximumState;IfcReal;ShortCircuit1PoleMinimumState;IfcElectricCurrentMeasure;ShortCircuit1PolePowerFactorMinimumState;IfcReal;EarthFault1PoleMaximumState;IfcElectricCurrentMeasure;EarthFault1PolePowerFactorMaximumState;IfcReal;EarthFault1PoleMinimumState;IfcElectricCurrentMeasure;EarthFault1PolePowerFactorMinimumState;IfcReal -Pset_ElectricGeneratorTypeCommon;Reference;IfcIdentifier;ElectricGeneratorEfficiency;IfcPositiveRatioMeasure;StartCurrentFactor;IfcReal;MaximumPowerOutput;IfcPowerMeasure -Pset_ElectricMotorTypeCommon;Reference;IfcIdentifier;MaximumPowerOutput;IfcPowerMeasure;ElectricMotorEfficiency;IfcPositiveRatioMeasure;StartCurrentFactor;IfcReal;StartingTime;IfcTimeMeasure;TeTime;IfcTimeMeasure;LockedRotorCurrent;IfcElectricCurrentMeasure;FrameSize;IfcLabel;IsGuarded;IfcBoolean;HasPartWinding;IfcBoolean -Pset_ElectricTimeControlTypeCommon;Reference;IfcIdentifier -Pset_ElementAssemblyCommon;Reference;IfcLabel -Pset_ElementComponentCommon;Reference;IfcIdentifier -Pset_EngineTypeCommon;Reference;IfcIdentifier -Pset_EnvironmentalImpactIndicators;Reference;IfcIdentifier;FunctionalUnitReference;IfcLabel;Unit;IfcText;ExpectedServiceLife;IfcTimeMeasure;TotalPrimaryEnergyConsumptionPerUnit;IfcEnergyMeasure;WaterConsumptionPerUnit;IfcVolumeMeasure;HazardousWastePerUnit;IfcMassMeasure;NonHazardousWastePerUnit;IfcMassMeasure;ClimateChangePerUnit;IfcMassMeasure;AtmosphericAcidificationPerUnit;IfcMassMeasure;RenewableEnergyConsumptionPerUnit;IfcEnergyMeasure;NonRenewableEnergyConsumptionPerUnit;IfcEnergyMeasure;ResourceDepletionPerUnit;IfcMassMeasure;InertWastePerUnit;IfcMassMeasure;RadioactiveWastePerUnit;IfcMassMeasure;StratosphericOzoneLayerDestructionPerUnit;IfcMassMeasure;PhotochemicalOzoneFormationPerUnit;IfcMassMeasure;EutrophicationPerUnit;IfcMassMeasure -Pset_EnvironmentalImpactValues;TotalPrimaryEnergyConsumption;IfcEnergyMeasure;WaterConsumption;IfcVolumeMeasure;HazardousWaste;IfcMassMeasure;NonHazardousWaste;IfcMassMeasure;ClimateChange;IfcMassMeasure;AtmosphericAcidification;IfcMassMeasure;RenewableEnergyConsumption;IfcEnergyMeasure;NonRenewableEnergyConsumption;IfcEnergyMeasure;ResourceDepletion;IfcMassMeasure;InertWaste;IfcMassMeasure;RadioactiveWaste;IfcMassMeasure;StratosphericOzoneLayerDestruction;IfcMassMeasure;PhotochemicalOzoneFormation;IfcMassMeasure;Eutrophication;IfcMassMeasure;LeadInTime;IfcDuration;Duration;IfcDuration;LeadOutTime;IfcDuration -Pset_EvaporativeCoolerTypeCommon;Reference;IfcIdentifier;HeatExchangeArea;IfcAreaMeasure;OperationTemperatureRange;IfcThermodynamicTemperatureMeasure;WaterRequirement;IfcVolumetricFlowRateMeasure;EffectivenessTable;IfcReal;AirPressureDropCurve;IfcPressureMeasure;WaterPressDropCurve;IfcPressureMeasure -Pset_EvaporatorTypeCommon;Reference;IfcIdentifier;ExternalSurfaceArea;IfcAreaMeasure;InternalSurfaceArea;IfcAreaMeasure;InternalRefrigerantVolume;IfcVolumeMeasure;InternalWaterVolume;IfcVolumeMeasure;NominalHeatTransferArea;IfcAreaMeasure;NominalHeatTransferCoefficient;IfcThermalTransmittanceMeasure -Pset_FanOccurrence;FractionOfMotorHeatToAirStream;IfcNormalisedRatioMeasure;ImpellerDiameter;IfcPositiveLengthMeasure -Pset_FanTypeCommon;Reference;IfcIdentifier;OperationTemperatureRange;IfcThermodynamicTemperatureMeasure;NominalAirFlowRate;IfcVolumetricFlowRateMeasure;NominalTotalPressure;IfcPressureMeasure;NominalStaticPressure;IfcPressureMeasure;NominalRotationSpeed;IfcRotationalFrequencyMeasure;NominalPowerRate;IfcPowerMeasure;OperationalCriteria;IfcTimeMeasure;PressureCurve;IfcPressureMeasure;EfficiencyCurve;IfcNormalisedRatioMeasure -Pset_FastenerWeld;Type1;IfcLabel;Type2;IfcLabel;Surface1;IfcLabel;Surface2;IfcLabel;Process;IfcInteger;ProcessName;IfcLabel;a;IfcPositiveLengthMeasure;c;IfcPositiveLengthMeasure;d;IfcPositiveLengthMeasure;e;IfcPositiveLengthMeasure;l;IfcPositiveLengthMeasure;n;IfcCountMeasure;s;IfcPositiveLengthMeasure;z;IfcPositiveLengthMeasure;Intermittent;IfcBoolean;Staggered;IfcBoolean -Pset_FilterTypeAirParticleFilter;DustHoldingCapacity;IfcMassMeasure;FaceSurfaceArea;IfcAreaMeasure;MediaExtendedArea;IfcAreaMeasure;NominalCountedEfficiency;IfcReal;NominalWeightedEfficiency;IfcReal;PressureDropCurve;IfcPressureMeasure;CountedEfficiencyCurve;IfcReal;WeightedEfficiencyCurve;IfcReal -Pset_FilterTypeCommon;Reference;IfcIdentifier;Weight;IfcMassMeasure;InitialResistance;IfcPressureMeasure;FinalResistance;IfcPressureMeasure;OperationTemperatureRange;IfcThermodynamicTemperatureMeasure;FlowRateRange;IfcVolumetricFlowRateMeasure;NominalFilterFaceVelocity;IfcLinearVelocityMeasure;NominalMediaSurfaceVelocity;IfcLinearVelocityMeasure;NominalPressureDrop;IfcPressureMeasure;NominalFlowrate;IfcVolumetricFlowRateMeasure;NominalParticleGeometricMeanDiameter;IfcPositiveLengthMeasure;NominalParticleGeometricStandardDeviation;IfcReal -Pset_FilterTypeCompressedAirFilter;OperationPressureMax;IfcPressureMeasure;ParticleAbsorptionCurve;IfcPositiveRatioMeasure;AutomaticCondensateDischarge;IfcBoolean;CloggingIndicator;IfcBoolean -Pset_FireSuppressionTerminalTypeBreechingInlet;InletDiameter;IfcPositiveLengthMeasure;OutletDiameter;IfcPositiveLengthMeasure;HasCaps;IfcBoolean -Pset_FireSuppressionTerminalTypeCommon;Reference;IfcIdentifier -Pset_FireSuppressionTerminalTypeFireHydrant;PumperConnectionSize;IfcPositiveLengthMeasure;NumberOfHoseConnections;IfcInteger;HoseConnectionSize;IfcPositiveLengthMeasure;DischargeFlowRate;IfcVolumetricFlowRateMeasure;FlowClass;IfcLabel;WaterIsPotable;IfcBoolean;PressureRating;IfcPressureMeasure;BodyColor;IfcText;CapColor;IfcText -Pset_FireSuppressionTerminalTypeHoseReel;InletConnectionSize;IfcPositiveLengthMeasure;HoseDiameter;IfcPositiveLengthMeasure;HoseLength;IfcPositiveLengthMeasure;ClassOfService;IfcLabel;ClassificationAuthority;IfcLabel -Pset_FireSuppressionTerminalTypeSprinkler;ActivationTemperature;IfcThermodynamicTemperatureMeasure;CoverageArea;IfcAreaMeasure;HasDeflector;IfcBoolean;DischargeFlowRate;IfcVolumetricFlowRateMeasure;ResidualFlowingPressure;IfcPressureMeasure;DischargeCoefficient;IfcReal;MaximumWorkingPressure;IfcPressureMeasure;ConnectionSize;IfcPositiveLengthMeasure -Pset_FlowInstrumentTypeCommon;Reference;IfcIdentifier -Pset_FlowInstrumentTypePressureGauge;DisplaySize;IfcPositiveLengthMeasure -Pset_FlowInstrumentTypeThermometer;DisplaySize;IfcPositiveLengthMeasure -Pset_FlowMeterTypeCommon;Reference;IfcIdentifier;RemoteReading;IfcBoolean -Pset_FlowMeterTypeEnergyMeter;NominalCurrent;IfcElectricCurrentMeasure;MaximumCurrent;IfcElectricCurrentMeasure;MultipleTarriff;IfcBoolean -Pset_FlowMeterTypeGasMeter;ConnectionSize;IfcPositiveLengthMeasure;MaximumFlowRate;IfcVolumetricFlowRateMeasure;MaximumPressureLoss;IfcPressureMeasure -Pset_FlowMeterTypeOilMeter;ConnectionSize;IfcPositiveLengthMeasure;MaximumFlowRate;IfcVolumetricFlowRateMeasure -Pset_FlowMeterTypeWaterMeter;ConnectionSize;IfcPositiveLengthMeasure;MaximumFlowRate;IfcVolumetricFlowRateMeasure;MaximumPressureLoss;IfcPressureMeasure -Pset_FootingCommon;Reference;IfcIdentifier;LoadBearing;IfcBoolean -Pset_FurnitureTypeChair;SeatingHeight;IfcPositiveLengthMeasure;HighestSeatingHeight;IfcPositiveLengthMeasure;LowestSeatingHeight;IfcPositiveLengthMeasure -Pset_FurnitureTypeCommon;Reference;IfcIdentifier;Style;IfcLabel;NominalHeight;IfcPositiveLengthMeasure;NominalLength;IfcPositiveLengthMeasure;NominalDepth;IfcPositiveLengthMeasure;MainColor;IfcLabel;IsBuiltIn;IfcBoolean -Pset_FurnitureTypeDesk;WorksurfaceArea;IfcAreaMeasure -Pset_FurnitureTypeFileCabinet;WithLock;IfcBoolean -Pset_FurnitureTypeTable;WorksurfaceArea;IfcAreaMeasure;NumberOfChairs;IfcInteger -Pset_HeatExchangerTypeCommon;Reference;IfcIdentifier -Pset_HeatExchangerTypePlate;NumberOfPlates;IfcInteger -Pset_HumidifierTypeCommon;Reference;IfcIdentifier;Weight;IfcMassMeasure;NominalMoistureGain;IfcMassFlowRateMeasure;NominalAirFlowRate;IfcVolumetricFlowRateMeasure;WaterRequirement;IfcVolumetricFlowRateMeasure;SaturationEfficiencyCurve;IfcNormalisedRatioMeasure;AirPressureDropCurve;IfcPressureMeasure -Pset_InterceptorTypeCommon;Reference;IfcIdentifier;NominalBodyLength;IfcPositiveLengthMeasure;NominalBodyWidth;IfcPositiveLengthMeasure;NominalBodyDepth;IfcPositiveLengthMeasure;InletConnectionSize;IfcPositiveLengthMeasure;OutletConnectionSize;IfcPositiveLengthMeasure;CoverLength;IfcPositiveLengthMeasure;CoverWidth;IfcPositiveLengthMeasure;VentilatingPipeSize;IfcPositiveLengthMeasure -Pset_JunctionBoxTypeCommon;Reference;IfcIdentifier;NumberOfGangs;IfcInteger;ClearDepth;IfcPositiveLengthMeasure;IsExternal;IfcBoolean;IP_Code;IfcLabel -Pset_LampTypeCommon;Reference;IfcIdentifier;ContributedLuminousFlux;IfcLuminousFluxMeasure;LightEmitterNominalPower;IfcPowerMeasure;LampMaintenanceFactor;IfcReal;ColorAppearance;IfcLabel;Spectrum;IfcNumericMeasure;ColorTemperature;IfcThermodynamicTemperatureMeasure;ColorRenderingIndex;IfcInteger -Pset_LandRegistration;LandID;IfcIdentifier;IsPermanentID;IfcBoolean;LandTitleID;IfcIdentifier -Pset_LightFixtureTypeCommon;Reference;IfcIdentifier;NumberOfSources;IfcInteger;TotalWattage;IfcPowerMeasure;MaintenanceFactor;IfcReal;MaximumPlenumSensibleLoad;IfcPowerMeasure;MaximumSpaceSensibleLoad;IfcPowerMeasure;SensibleLoadToRadiant;IfcPositiveRatioMeasure -Pset_LightFixtureTypeSecurityLighting;FixtureHeight;IfcPositiveLengthMeasure -Pset_ManufacturerOccurrence;AcquisitionDate;IfcDate;BarCode;IfcIdentifier;SerialNumber;IfcIdentifier;BatchReference;IfcIdentifier -Pset_ManufacturerTypeInformation;GlobalTradeItemNumber;IfcIdentifier;ArticleNumber;IfcIdentifier;ModelReference;IfcLabel;ModelLabel;IfcLabel;Manufacturer;IfcLabel;ProductionYear;IfcLabel -Pset_MaterialCombustion;SpecificHeatCapacity;IfcSpecificHeatCapacityMeasure;N20Content;IfcPositiveRatioMeasure;COContent;IfcPositiveRatioMeasure;CO2Content;IfcPositiveRatioMeasure -Pset_MaterialCommon;MolecularWeight;IfcMolecularWeightMeasure;Porosity;IfcNormalisedRatioMeasure;MassDensity;IfcMassDensityMeasure -Pset_MaterialConcrete;CompressiveStrength;IfcPressureMeasure;MaxAggregateSize;IfcPositiveLengthMeasure;AdmixturesDescription;IfcText;Workability;IfcText;WaterImpermeability;IfcText;ProtectivePoreRatio;IfcNormalisedRatioMeasure -Pset_MaterialEnergy;ViscosityTemperatureDerivative;IfcReal;MoistureCapacityThermalGradient;IfcReal;ThermalConductivityTemperatureDerivative;IfcReal;SpecificHeatTemperatureDerivative;IfcReal;VisibleRefractionIndex;IfcReal;SolarRefractionIndex;IfcReal;GasPressure;IfcPressureMeasure -Pset_MaterialFuel;CombustionTemperature;IfcThermodynamicTemperatureMeasure;CarbonContent;IfcPositiveRatioMeasure;LowerHeatingValue;IfcHeatingValueMeasure;HigherHeatingValue;IfcHeatingValueMeasure -Pset_MaterialHygroscopic;UpperVaporResistanceFactor;IfcPositiveRatioMeasure;LowerVaporResistanceFactor;IfcPositiveRatioMeasure;IsothermalMoistureCapacity;IfcIsothermalMoistureCapacityMeasure;VaporPermeability;IfcVaporPermeabilityMeasure;MoistureDiffusivity;IfcMoistureDiffusivityMeasure -Pset_MaterialMechanical;DynamicViscosity;IfcDynamicViscosityMeasure;YoungModulus;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;PoissonRatio;IfcPositiveRatioMeasure;ThermalExpansionCoefficient;IfcThermalExpansionCoefficientMeasure -Pset_MaterialOptical;VisibleTransmittance;IfcPositiveRatioMeasure;SolarTransmittance;IfcPositiveRatioMeasure;ThermalIrTransmittance;IfcPositiveRatioMeasure;ThermalIrEmissivityBack;IfcPositiveRatioMeasure;ThermalIrEmissivityFront;IfcPositiveRatioMeasure;VisibleReflectanceBack;IfcPositiveRatioMeasure;VisibleReflectanceFront;IfcPositiveRatioMeasure;SolarReflectanceBack;IfcPositiveRatioMeasure;SolarReflectanceFront;IfcPositiveRatioMeasure -Pset_MaterialSteel;YieldStress;IfcPressureMeasure;UltimateStress;IfcPressureMeasure;UltimateStrain;IfcPositiveRatioMeasure;HardeningModule;IfcModulusOfElasticityMeasure;ProportionalStress;IfcPressureMeasure;PlasticStrain;IfcPositiveRatioMeasure;Relaxations;IfcNormalisedRatioMeasure -Pset_MaterialThermal;SpecificHeatCapacity;IfcSpecificHeatCapacityMeasure;BoilingPoint;IfcThermodynamicTemperatureMeasure;FreezingPoint;IfcThermodynamicTemperatureMeasure;ThermalConductivity;IfcThermalConductivityMeasure -Pset_MaterialWater;IsPotable;IfcBoolean;Hardness;IfcIonConcentrationMeasure;AlkalinityConcentration;IfcIonConcentrationMeasure;AcidityConcentration;IfcIonConcentrationMeasure;ImpuritiesContent;IfcNormalisedRatioMeasure;DissolvedSolidsContent;IfcNormalisedRatioMeasure;PHLevel;IfcPHMeasure -Pset_MaterialWood;Species;IfcLabel;StrengthGrade;IfcLabel;AppearanceGrade;IfcLabel;Layup;IfcLabel;Layers;IfcInteger;Plies;IfcInteger;MoistureContent;IfcPositiveRatioMeasure;DimensionalChangeCoefficient;IfcPositiveRatioMeasure;ThicknessSwelling;IfcPositiveRatioMeasure -Pset_MaterialWoodBasedBeam;ApplicableStructuralDesignMethod;IfcLabel;InPlane;IfcModulusOfElasticityMeasure;YoungModulusMin;IfcModulusOfElasticityMeasure;YoungModulusPerp;IfcModulusOfElasticityMeasure;YoungModulusPerpMin;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;ShearModulusMin;IfcModulusOfElasticityMeasure;BendingStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure;TensileStrengthPerp;IfcPressureMeasure;CompStrength;IfcPressureMeasure;CompStrengthPerp;IfcPressureMeasure;RaisedCompStrengthPerp;IfcPressureMeasure;ShearStrength;IfcPressureMeasure;TorsionalStrength;IfcPressureMeasure;ReferenceDepth;IfcPositiveLengthMeasure;InstabilityFactors;IfcPositiveRatioMeasure;InPlaneNegative;IfcModulusOfElasticityMeasure;YoungModulusMin;IfcModulusOfElasticityMeasure;YoungModulusPerp;IfcModulusOfElasticityMeasure;YoungModulusPerpMin;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;ShearModulusMin;IfcModulusOfElasticityMeasure;BendingStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure;TensileStrengthPerp;IfcPressureMeasure;CompStrength;IfcPressureMeasure;CompStrengthPerp;IfcPressureMeasure;RaisedCompStrengthPerp;IfcPressureMeasure;ShearStrength;IfcPressureMeasure;TorsionalStrength;IfcPressureMeasure;ReferenceDepth;IfcPositiveLengthMeasure;InstabilityFactors;IfcPositiveRatioMeasure;OutOfPlane;IfcModulusOfElasticityMeasure;YoungModulusMin;IfcModulusOfElasticityMeasure;YoungModulusPerp;IfcModulusOfElasticityMeasure;YoungModulusPerpMin;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;ShearModulusMin;IfcModulusOfElasticityMeasure;BendingStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure;TensileStrengthPerp;IfcPressureMeasure;CompStrength;IfcPressureMeasure;CompStrengthPerp;IfcPressureMeasure;RaisedCompStrengthPerp;IfcPressureMeasure;ShearStrength;IfcPressureMeasure;TorsionalStrength;IfcPressureMeasure;ReferenceDepth;IfcPositiveLengthMeasure;InstabilityFactors;IfcPositiveRatioMeasure -Pset_MaterialWoodBasedPanel;ApplicableStructuralDesignMethod;IfcLabel;InPlane;IfcModulusOfElasticityMeasure;YoungModulusTension;IfcModulusOfElasticityMeasure;YoungModulusCompression;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;BendingStrength;IfcPressureMeasure;CompressiveStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure;ShearStrength;IfcPressureMeasure;BearingStrength;IfcPressureMeasure;RaisedCompressiveStrength;IfcPressureMeasure;ReferenceDepth;IfcPositiveLengthMeasure;OutOfPlane;IfcModulusOfElasticityMeasure;YoungModulusTension;IfcModulusOfElasticityMeasure;YoungModulusCompression;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;BendingStrength;IfcPressureMeasure;CompressiveStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure;ShearStrength;IfcPressureMeasure;BearingStrength;IfcPressureMeasure;RaisedCompressiveStrength;IfcPressureMeasure;ReferenceDepth;IfcPositiveLengthMeasure;OutOfPlaneNegative;IfcModulusOfElasticityMeasure;YoungModulusTension;IfcModulusOfElasticityMeasure;YoungModulusCompression;IfcModulusOfElasticityMeasure;ShearModulus;IfcModulusOfElasticityMeasure;BendingStrength;IfcPressureMeasure;CompressiveStrength;IfcPressureMeasure;TensileStrength;IfcPressureMeasure;ShearStrength;IfcPressureMeasure;BearingStrength;IfcPressureMeasure;RaisedCompressiveStrength;IfcPressureMeasure;ReferenceDepth;IfcPositiveLengthMeasure -Pset_MechanicalFastenerAnchorBolt;AnchorBoltLength;IfcPositiveLengthMeasure;AnchorBoltDiameter;IfcPositiveLengthMeasure;AnchorBoltThreadLength;IfcPositiveLengthMeasure;AnchorBoltProtrusionLength;IfcPositiveLengthMeasure -Pset_MechanicalFastenerBolt;ThreadDiameter;IfcPositiveLengthMeasure;ThreadLength;IfcPositiveLengthMeasure;NutsCount;IfcCountMeasure;WashersCount;IfcCountMeasure;HeadShape;IfcLabel;KeyShape;IfcLabel;NutShape;IfcLabel;WasherShape;IfcLabel -Pset_MedicalDeviceTypeCommon;Reference;IfcIdentifier -Pset_MemberCommon;Reference;IfcIdentifier;Span;IfcPositiveLengthMeasure;Slope;IfcPlaneAngleMeasure;Roll;IfcPlaneAngleMeasure;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean;FireRating;IfcLabel -Pset_MotorConnectionTypeCommon;Reference;IfcIdentifier -Pset_OpeningElementCommon;Reference;IfcIdentifier;Purpose;IfcLabel;FireExit;IfcBoolean;ProtectedOpening;IfcBoolean -Pset_OutletTypeCommon;Reference;IfcIdentifier;IsPluggableOutlet;IfcLogical;NumberOfSockets;IfcInteger -Pset_OutsideDesignCriteria;HeatingDryBulb;IfcThermodynamicTemperatureMeasure;HeatingWetBulb;IfcThermodynamicTemperatureMeasure;HeatingDesignDay;IfcDateTime;CoolingDryBulb;IfcThermodynamicTemperatureMeasure;CoolingWetBulb;IfcThermodynamicTemperatureMeasure;CoolingDesignDay;IfcDateTime;WeatherDataStation;IfcText;WeatherDataDate;IfcDateTime;PrevailingWindDirection;IfcPlaneAngleMeasure;PrevailingWindVelocity;IfcLinearVelocityMeasure -Pset_PackingInstructions;SpecialInstructions;IfcText -Pset_Permit;EscortRequirement;IfcBoolean;StartDate;IfcDateTime;EndDate;IfcDateTime;SpecialRequirements;IfcText -Pset_PileCommon;Reference;IfcIdentifier;LoadBearing;IfcBoolean -Pset_PipeConnectionFlanged;FlangeTable;IfcLabel;FlangeStandard;IfcLabel;BoreSize;IfcPositiveLengthMeasure;FlangeDiameter;IfcPositiveLengthMeasure;FlangeThickness;IfcPositiveLengthMeasure;NumberOfBoltholes;IfcInteger;BoltSize;IfcPositiveLengthMeasure;BoltholePitch;IfcPositiveLengthMeasure -Pset_PipeFittingOccurrence;InteriorRoughnessCoefficient;IfcPositiveLengthMeasure;Color;IfcLabel -Pset_PipeFittingTypeBend;BendAngle;IfcPositivePlaneAngleMeasure;BendRadius;IfcPositiveLengthMeasure -Pset_PipeFittingTypeCommon;Reference;IfcIdentifier;PressureClass;IfcPressureMeasure;PressureRange;IfcPressureMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure;FittingLossFactor;IfcReal -Pset_PipeFittingTypeJunction;JunctionLeftAngle;IfcPositivePlaneAngleMeasure;JunctionLeftRadius;IfcPositiveLengthMeasure;JunctionRightAngle;IfcPositivePlaneAngleMeasure;JunctionRightRadius;IfcPositiveLengthMeasure -Pset_PipeSegmentOccurrence;InteriorRoughnessCoefficient;IfcPositiveLengthMeasure;Color;IfcLabel;Gradient;IfcPositiveRatioMeasure;InvertElevation;IfcLengthMeasure -Pset_PipeSegmentTypeCommon;Reference;IfcIdentifier;WorkingPressure;IfcPressureMeasure;PressureRange;IfcPressureMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure;NominalDiameter;IfcPositiveLengthMeasure;InnerDiameter;IfcPositiveLengthMeasure;OuterDiameter;IfcPositiveLengthMeasure -Pset_PipeSegmentTypeCulvert;InternalWidth;IfcLengthMeasure;ClearDepth;IfcLengthMeasure -Pset_PipeSegmentTypeGutter;Slope;IfcPlaneAngleMeasure;FlowRating;IfcVolumetricFlowRateMeasure -Pset_PlateCommon;Reference;IfcIdentifier;AcousticRating;IfcLabel;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean;FireRating;IfcLabel -Pset_PrecastConcreteElementFabrication;TypeDesignator;IfcLabel;ProductionLotId;IfcIdentifier;SerialNumber;IfcIdentifier;PieceMark;IfcLabel;AsBuiltLocationNumber;IfcLabel;ActualProductionDate;IfcDateTime;ActualErectionDate;IfcDateTime -Pset_PrecastConcreteElementGeneral;TypeDesignator;IfcLabel;CornerChamfer;IfcPositiveLengthMeasure;ManufacturingToleranceClass;IfcLabel;FormStrippingStrength;IfcPressureMeasure;LiftingStrength;IfcPressureMeasure;ReleaseStrength;IfcPressureMeasure;MinimumAllowableSupportLength;IfcPositiveLengthMeasure;InitialTension;IfcPressureMeasure;TendonRelaxation;IfcPositiveRatioMeasure;TransportationStrength;IfcPressureMeasure;SupportDuringTransportDescription;IfcText;HollowCorePlugging;IfcLabel;CamberAtMidspan;IfcRatioMeasure;BatterAtStart;IfcPlaneAngleMeasure;BatterAtEnd;IfcPlaneAngleMeasure;Twisting;IfcPlaneAngleMeasure;Shortening;IfcRatioMeasure;PieceMark;IfcLabel;DesignLocationNumber;IfcLabel -Pset_PrecastSlab;TypeDesignator;IfcLabel;ToppingType;IfcLabel;EdgeDistanceToFirstAxis;IfcPositiveLengthMeasure;DistanceBetweenComponentAxes;IfcPositiveLengthMeasure;AngleToFirstAxis;IfcPlaneAngleMeasure;AngleBetweenComponentAxes;IfcPlaneAngleMeasure;NominalThickness;IfcPositiveLengthMeasure;NominalToppingThickness;IfcPositiveLengthMeasure -Pset_ProfileArbitraryDoubleT;OverallWidth;IfcPositiveLengthMeasure;LeftFlangeWidth;IfcPositiveLengthMeasure;RightFlangeWidth;IfcPositiveLengthMeasure;OverallDepth;IfcPositiveLengthMeasure;FlangeDepth;IfcPositiveLengthMeasure;FlangeDraft;IfcNonNegativeLengthMeasure;FlangeChamfer;IfcNonNegativeLengthMeasure;FlangeBaseFillet;IfcNonNegativeLengthMeasure;FlangeTopFillet;IfcNonNegativeLengthMeasure;StemBaseWidth;IfcPositiveLengthMeasure;StemTopWidth;IfcPositiveLengthMeasure;StemBaseChamfer;IfcNonNegativeLengthMeasure;StemTopChamfer;IfcNonNegativeLengthMeasure;StemBaseFillet;IfcNonNegativeLengthMeasure;StemTopFillet;IfcNonNegativeLengthMeasure -Pset_ProfileArbitraryHollowCore;OverallWidth;IfcPositiveLengthMeasure;OverallDepth;IfcPositiveLengthMeasure;EdgeDraft;IfcNonNegativeLengthMeasure;DraftBaseOffset;IfcNonNegativeLengthMeasure;DraftSideOffset;IfcNonNegativeLengthMeasure;BaseChamfer;IfcNonNegativeLengthMeasure;KeyDepth;IfcNonNegativeLengthMeasure;KeyHeight;IfcNonNegativeLengthMeasure;KeyOffset;IfcNonNegativeLengthMeasure;BottomCover;IfcPositiveLengthMeasure;CoreSpacing;IfcPositiveLengthMeasure;CoreBaseHeight;IfcPositiveLengthMeasure;CoreMiddleHeight;IfcPositiveLengthMeasure;CoreTopHeight;IfcPositiveLengthMeasure;CoreBaseWidth;IfcPositiveLengthMeasure;CoreTopWidth;IfcPositiveLengthMeasure;CenterCoreSpacing;IfcPositiveLengthMeasure;CenterCoreBaseHeight;IfcPositiveLengthMeasure;CenterCoreMiddleHeight;IfcPositiveLengthMeasure;CenterCoreTopHeight;IfcPositiveLengthMeasure;CenterCoreBaseWidth;IfcPositiveLengthMeasure;CenterCoreTopWidth;IfcPositiveLengthMeasure;NumberOfCores;IfcCountMeasure -Pset_ProfileMechanical;MassPerLength;IfcMassPerLengthMeasure;CrossSectionArea;IfcAreaMeasure;Perimeter;IfcPositiveLengthMeasure;MinimumPlateThickness;IfcPositiveLengthMeasure;MaximumPlateThickness;IfcPositiveLengthMeasure;CentreOfGravityInX;IfcLengthMeasure;CentreOfGravityInY;IfcLengthMeasure;ShearCentreZ;IfcLengthMeasure;ShearCentreY;IfcLengthMeasure;MomentOfInertiaY;IfcMomentOfInertiaMeasure;MomentOfInertiaZ;IfcMomentOfInertiaMeasure;MomentOfInertiaYZ;IfcMomentOfInertiaMeasure;TorsionalConstantX;IfcMomentOfInertiaMeasure;WarpingConstant;IfcWarpingConstantMeasure;ShearDeformationAreaZ;IfcAreaMeasure;ShearDeformationAreaY;IfcAreaMeasure;MaximumSectionModulusY;IfcSectionModulusMeasure;MinimumSectionModulusY;IfcSectionModulusMeasure;MaximumSectionModulusZ;IfcSectionModulusMeasure;MinimumSectionModulusZ;IfcSectionModulusMeasure;TorsionalSectionModulus;IfcSectionModulusMeasure;ShearAreaZ;IfcAreaMeasure;ShearAreaY;IfcAreaMeasure;PlasticShapeFactorY;IfcPositiveRatioMeasure;PlasticShapeFactorZ;IfcPositiveRatioMeasure -Pset_ProjectOrderChangeOrder;ReasonForChange;IfcText;BudgetSource;IfcText -Pset_ProjectOrderMaintenanceWorkOrder;ProductDescription;IfcText;WorkTypeRequested;IfcText;ContractualType;IfcText;IfNotAccomplished;IfcText;ScheduledFrequency;IfcTimeMeasure -Pset_ProjectOrderMoveOrder;SpecialInstructions;IfcText -Pset_ProjectOrderPurchaseOrder;IsFOB;IfcBoolean;ShipMethod;IfcText -Pset_ProjectOrderWorkOrder;ProductDescription;IfcText;WorkTypeRequested;IfcText;ContractualType;IfcText;IfNotAccomplished;IfcText -Pset_PropertyAgreement;Identifier;IfcIdentifier;Version;IfcLabel;VersionDate;IfcDate;PropertyName;IfcLabel;CommencementDate;IfcDate;TerminationDate;IfcDate;Duration;IfcDuration;Options;IfcText;ConditionCommencement;IfcText;Restrictions;IfcText;ConditionTermination;IfcText -Pset_ProtectiveDeviceBreakerUnitI2TCurve;NominalCurrent;IfcElectricCurrentMeasure;BreakerUnitCurve;IfcReal -Pset_ProtectiveDeviceBreakerUnitI2TFuseCurve;BreakerUnitFuseMeltingCurve;IfcReal;BreakerUnitFuseBreakingingCurve;IfcReal -Pset_ProtectiveDeviceBreakerUnitIPICurve;NominalCurrent;IfcElectricCurrentMeasure;BreakerUnitIPICurve;IfcElectricCurrentMeasure -Pset_ProtectiveDeviceBreakerUnitTypeMCB;PowerLoss;IfcPowerMeasure;NominalCurrents;IfcElectricCurrentMeasure;ICU60947;IfcElectricCurrentMeasure;ICS60947;IfcElectricCurrentMeasure;ICN60898;IfcElectricCurrentMeasure;ICS60898;IfcElectricCurrentMeasure -Pset_ProtectiveDeviceBreakerUnitTypeMotorProtection;PerformanceClasses;IfcLabel;ICU60947;IfcElectricCurrentMeasure;ICS60947;IfcElectricCurrentMeasure;ICW60947;IfcElectricCurrentMeasure;ICM60947;IfcElectricCurrentMeasure -Pset_ProtectiveDeviceOccurrence;LongTimeFunction;IfcBoolean;ShortTimeFunction;IfcBoolean;ShortTimei2tFunction;IfcBoolean;GroundFaultFunction;IfcBoolean;GroundFaulti2tFunction;IfcBoolean;LongTimeCurrentSetValue;IfcElectricCurrentMeasure;ShortTimeCurrentSetValue;IfcElectricCurrentMeasure;InstantaneousCurrentSetValue;IfcElectricCurrentMeasure;GroundFaultCurrentSetValue;IfcElectricCurrentMeasure;LongTimeDelay;IfcTimeMeasure;ShortTimeTrippingTime;IfcTimeMeasure;InstantaneousTrippingTime;IfcTimeMeasure;GroundFaultTrippingTime;IfcTimeMeasure -Pset_ProtectiveDeviceTrippingCurve;TrippingCurve;IfcTimeMeasure -Pset_ProtectiveDeviceTrippingFunctionGCurve;IsSelectable;IfcBoolean;NominalCurrentAdjusted;IfcBoolean;ExternalAdjusted;IfcBoolean;ReleaseCurrent;IfcElectricCurrentMeasure;ReleaseTime;IfcTimeMeasure;CurrentTolerance1;IfcPositiveRatioMeasure;CurrentToleranceLimit1;IfcTimeMeasure;CurrentTolerance2;IfcPositiveRatioMeasure;IsCurrentTolerancePositiveOnly;IfcBoolean;TimeTolerance1;IfcPositiveRatioMeasure;TimeToleranceLimit1;IfcElectricCurrentMeasure;TimeTolerance2;IfcPositiveRatioMeasure;IsTimeTolerancePositiveOnly;IfcBoolean;ReleaseCurrentI2tStart;IfcElectricCurrentMeasure;ReleaseTimeI2tStart;IfcTimeMeasure;ReleaseCurrentI2tEnd;IfcElectricCurrentMeasure;ReleaseTimeI2tEnd;IfcTimeMeasure -Pset_ProtectiveDeviceTrippingFunctionICurve;IsSelectable;IfcBoolean;NominalCurrentAdjusted;IfcBoolean;ReleaseCurrent;IfcElectricCurrentMeasure;ReleaseTime;IfcTimeMeasure;CurrentTolerance1;IfcPositiveRatioMeasure;CurrentToleranceLimit1;IfcTimeMeasure;CurrentTolerance2;IfcPositiveRatioMeasure;IsCurrentTolerancePositiveOnly;IfcBoolean;TimeTolerance1;IfcPositiveRatioMeasure;TimeToleranceLimit1;IfcElectricCurrentMeasure;TimeTolerance2;IfcPositiveRatioMeasure;IsTimeTolerancePositiveOnly;IfcBoolean;MaxAdjustmentX_ICS;IfcElectricCurrentMeasure;IsOffWhenSFunctionOn;IfcBoolean -Pset_ProtectiveDeviceTrippingFunctionLCurve;IsSelectable;IfcBoolean;UpperCurrent1;IfcElectricCurrentMeasure;UpperCurrent2;IfcElectricCurrentMeasure;UpperTime1;IfcTimeMeasure;UpperTime2;IfcTimeMeasure;LowerCurrent1;IfcElectricCurrentMeasure;LowerCurrent2;IfcElectricCurrentMeasure;LowerTime1;IfcTimeMeasure;LowerTime2;IfcTimeMeasure -Pset_ProtectiveDeviceTrippingFunctionSCurve;IsSelectable;IfcBoolean;NominalCurrentAdjusted;IfcBoolean;ReleaseCurrent;IfcElectricCurrentMeasure;ReleaseTime;IfcTimeMeasure;CurrentTolerance1;IfcPositiveRatioMeasure;CurrentToleranceLimit1;IfcTimeMeasure;CurrentTolerance2;IfcPositiveRatioMeasure;IsCurrentTolerancePositiveOnly;IfcBoolean;TimeTolerance1;IfcPositiveRatioMeasure;TimeToleranceLimit1;IfcElectricCurrentMeasure;TimeTolerance2;IfcPositiveRatioMeasure;IsTimeTolerancePositiveOnly;IfcBoolean;ReleaseCurrentI2tStart;IfcElectricCurrentMeasure;ReleaseTimeI2tStart;IfcTimeMeasure;ReleaseCurrentI2tEnd;IfcElectricCurrentMeasure;ReleaseTimeI2tEnd;IfcTimeMeasure;IsOffWhenLfunctionOn;IfcBoolean -Pset_ProtectiveDeviceTrippingUnitCurrentAdjustment;AdjustmentRange;IfcElectricCurrentMeasure;AdjustmentRangeStepValue;IfcElectricCurrentMeasure;AdjustmentValues;IfcElectricCurrentMeasure;AdjustmentDesignation;IfcLabel -Pset_ProtectiveDeviceTrippingUnitTimeAdjustment;AdjustmentRange;IfcTimeMeasure;AdjustmentRangeStepValue;IfcTimeMeasure;AdjustmentValues;IfcTimeMeasure;AdjustmentDesignation;IfcLabel;CurrentForTimeDelay;IfcTimeMeasure -Pset_ProtectiveDeviceTrippingUnitTypeCommon;Reference;IfcIdentifier;Standard;IfcLabel;UseInDiscrimination;IfcBoolean;AtexVerified;IfcBoolean;OldDevice;IfcBoolean;LimitingTerminalSize;IfcAreaMeasure -Pset_ProtectiveDeviceTrippingUnitTypeElectroMagnetic;I1;IfcReal;I2;IfcReal;T2;IfcTimeMeasure;DefinedTemperature;IfcThermodynamicTemperatureMeasure;TemperatureFactor;IfcRatioMeasure;I4;IfcReal;I5;IfcReal;T5;IfcTimeMeasure;CurveDesignation;IfcLabel -Pset_ProtectiveDeviceTrippingUnitTypeElectronic;NominalCurrents;IfcElectricCurrentMeasure;N_Protection;IfcBoolean;N_Protection_50;IfcBoolean;N_Protection_100;IfcBoolean;N_Protection_Select;IfcBoolean -Pset_ProtectiveDeviceTrippingUnitTypeThermal;I1;IfcReal;I2;IfcReal;T2;IfcTimeMeasure;DefinedTemperature;IfcThermodynamicTemperatureMeasure;TemperatureFactor;IfcRatioMeasure;CurveDesignation;IfcLabel -Pset_ProtectiveDeviceTypeCircuitBreaker;PerformanceClasses;IfcLabel;ICU60947;IfcElectricCurrentMeasure;ICS60947;IfcElectricCurrentMeasure;ICW60947;IfcElectricCurrentMeasure;ICM60947;IfcElectricCurrentMeasure -Pset_ProtectiveDeviceTypeCommon;Reference;IfcIdentifier -Pset_ProtectiveDeviceTypeEarthLeakageCircuitBreaker;Sensitivity;IfcElectricCurrentMeasure -Pset_ProtectiveDeviceTypeFuseDisconnector;IC60269;IfcElectricCurrentMeasure;PowerLoss;IfcPowerMeasure -Pset_ProtectiveDeviceTypeResidualCurrentCircuitBreaker;Sensitivity;IfcElectricCurrentMeasure -Pset_ProtectiveDeviceTypeResidualCurrentSwitch;Sensitivity;IfcElectricCurrentMeasure -Pset_PumpOccurrence;ImpellerDiameter;IfcPositiveLengthMeasure -Pset_PumpTypeCommon;Reference;IfcIdentifier;FlowRateRange;IfcMassFlowRateMeasure;FlowResistanceRange;IfcPressureMeasure;ConnectionSize;IfcPositiveLengthMeasure;TemperatureRange;IfcThermodynamicTemperatureMeasure;NetPositiveSuctionHead;IfcPressureMeasure;NominalRotationSpeed;IfcRotationalFrequencyMeasure -Pset_RailingCommon;Reference;IfcIdentifier;Height;IfcPositiveLengthMeasure;Diameter;IfcPositiveLengthMeasure;IsExternal;IfcBoolean -Pset_RampCommon;Reference;IfcIdentifier;RequiredHeadroom;IfcPositiveLengthMeasure;RequiredSlope;IfcPlaneAngleMeasure;HandicapAccessible;IfcBoolean;HasNonSkidSurface;IfcBoolean;FireExit;IfcBoolean;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean;FireRating;IfcLabel -Pset_RampFlightCommon;Reference;IfcIdentifier;Headroom;IfcPositiveLengthMeasure;ClearWidth;IfcPositiveLengthMeasure;Slope;IfcPlaneAngleMeasure;CounterSlope;IfcPlaneAngleMeasure -Pset_ReinforcementBarCountOfIndependentFooting;Description;IfcText;Reference;IfcLabel;XDirectionLowerBarCount;IfcInteger;YDirectionLowerBarCount;IfcInteger;XDirectionUpperBarCount;IfcInteger;YDirectionUpperBarCount;IfcInteger -Pset_ReinforcementBarPitchOfBeam;Description;IfcText;Reference;IfcLabel;StirrupBarPitch;IfcPositiveLengthMeasure;SpacingBarPitch;IfcPositiveLengthMeasure -Pset_ReinforcementBarPitchOfColumn;Description;IfcText;Reference;IfcLabel;HoopBarPitch;IfcPositiveLengthMeasure;XDirectionTieHoopBarPitch;IfcPositiveLengthMeasure;XDirectionTieHoopCount;IfcInteger;YDirectionTieHoopBarPitch;IfcPositiveLengthMeasure;YDirectionTieHoopCount;IfcInteger -Pset_ReinforcementBarPitchOfContinuousFooting;Description;IfcText;Reference;IfcLabel;CrossingUpperBarPitch;IfcPositiveLengthMeasure;CrossingLowerBarPitch;IfcPositiveLengthMeasure -Pset_ReinforcementBarPitchOfSlab;Description;IfcText;Reference;IfcLabel;LongOutsideTopBarPitch;IfcPositiveLengthMeasure;LongInsideCenterTopBarPitch;IfcPositiveLengthMeasure;LongInsideEndTopBarPitch;IfcPositiveLengthMeasure;ShortOutsideTopBarPitch;IfcPositiveLengthMeasure;ShortInsideCenterTopBarPitch;IfcPositiveLengthMeasure;ShortInsideEndTopBarPitch;IfcPositiveLengthMeasure;LongOutsideLowerBarPitch;IfcPositiveLengthMeasure;LongInsideCenterLowerBarPitch;IfcPositiveLengthMeasure;LongInsideEndLowerBarPitch;IfcPositiveLengthMeasure;ShortOutsideLowerBarPitch;IfcPositiveLengthMeasure;ShortInsideCenterLowerBarPitch;IfcPositiveLengthMeasure;ShortInsideEndLowerBarPitch;IfcPositiveLengthMeasure -Pset_ReinforcementBarPitchOfWall;Description;IfcText;Reference;IfcLabel;VerticalBarPitch;IfcPositiveLengthMeasure;HorizontalBarPitch;IfcPositiveLengthMeasure;SpacingBarPitch;IfcPositiveLengthMeasure -Pset_Risk;NatureOfRisk;IfcLabel;SubNatureOfRisk1;IfcLabel;SubNatureOfRisk2;IfcLabel;RiskCause;IfcText;AffectsSurroundings;IfcBoolean;PreventiveMeassures;IfcText -Pset_RoofCommon;Reference;IfcIdentifier;AcousticRating;IfcLabel;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean;FireRating;IfcLabel -Pset_SanitaryTerminalTypeBath;DrainSize;IfcPositiveLengthMeasure;HasGrabHandles;IfcBoolean -Pset_SanitaryTerminalTypeBidet;SpilloverLevel;IfcPositiveLengthMeasure;DrainSize;IfcPositiveLengthMeasure -Pset_SanitaryTerminalTypeCistern;CisternCapacity;IfcVolumeMeasure;IsSingleFlush;IfcBoolean;FlushRate;IfcVolumeMeasure;IsAutomaticFlush;IfcBoolean -Pset_SanitaryTerminalTypeCommon;Reference;IfcIdentifier;NominalLength;IfcPositiveLengthMeasure;NominalWidth;IfcPositiveLengthMeasure;NominalDepth;IfcPositiveLengthMeasure;Color;IfcLabel -Pset_SanitaryTerminalTypeSanitaryFountain;DrainSize;IfcPositiveLengthMeasure -Pset_SanitaryTerminalTypeShower;HasTray;IfcBoolean;ShowerHeadDescription;IfcText;DrainSize;IfcPositiveLengthMeasure -Pset_SanitaryTerminalTypeSink;Color;IfcLabel;DrainSize;IfcPositiveLengthMeasure;MountingOffset;IfcLengthMeasure -Pset_SanitaryTerminalTypeToiletPan;SpilloverLevel;IfcPositiveLengthMeasure -Pset_SanitaryTerminalTypeUrinal;SpilloverLevel;IfcPositiveLengthMeasure -Pset_SanitaryTerminalTypeWashHandBasin;DrainSize;IfcPositiveLengthMeasure;MountingOffset;IfcLengthMeasure -Pset_SensorTypeCO2Sensor;SetPointConcentration;IfcPositiveRatioMeasure -Pset_SensorTypeCommon;Reference;IfcIdentifier -Pset_SensorTypeConductanceSensor;SetPointConductance;IfcElectricConductanceMeasure -Pset_SensorTypeContactSensor;SetPointContact;IfcInteger -Pset_SensorTypeFireSensor;FireSensorSetPoint;IfcThermodynamicTemperatureMeasure;AccuracyOfFireSensor;IfcThermodynamicTemperatureMeasure;TimeConstant;IfcTimeMeasure -Pset_SensorTypeFlowSensor;SetPointFlow;IfcVolumetricFlowRateMeasure -Pset_SensorTypeFrostSensor;SetPointFrost;IfcPositiveRatioMeasure -Pset_SensorTypeGasSensor;GasDetected;IfcLabel;SetPointConcentration;IfcPositiveRatioMeasure;CoverageArea;IfcAreaMeasure -Pset_SensorTypeHeatSensor;CoverageArea;IfcAreaMeasure;SetPointTemperature;IfcThermodynamicTemperatureMeasure;RateOfTemperatureRise;IfcTemperatureRateOfChangeMeasure -Pset_SensorTypeHumiditySensor;SetPointHumidity;IfcPositiveRatioMeasure -Pset_SensorTypeIdentifierSensor;SetPointIdentifier;IfcIdentifier -Pset_SensorTypeIonConcentrationSensor;SubstanceDetected;IfcLabel;SetPointConcentration;IfcIonConcentrationMeasure -Pset_SensorTypeLevelSensor;SetPointLevel;IfcPositiveLengthMeasure -Pset_SensorTypeLightSensor;SetPointIlluminance;IfcIlluminanceMeasure -Pset_SensorTypeMoistureSensor;SetPointMoisture;IfcPositiveRatioMeasure -Pset_SensorTypeMovementSensor;SetPointMovement;IfcPositiveRatioMeasure -Pset_SensorTypePHSensor;SetPointPH;IfcPHMeasure -Pset_SensorTypePressureSensor;SetPointPressure;IfcPressureMeasure;IsSwitch;IfcBoolean -Pset_SensorTypeRadiationSensor;SetPointRadiation;IfcPowerMeasure -Pset_SensorTypeRadioactivitySensor;SetPointRadioactivity;IfcRadioActivityMeasure -Pset_SensorTypeSmokeSensor;CoverageArea;IfcAreaMeasure;SetPointConcentration;IfcPositiveRatioMeasure;HasBuiltInAlarm;IfcBoolean -Pset_SensorTypeSoundSensor;SetPointSound;IfcSoundPressureMeasure -Pset_SensorTypeTemperatureSensor;SetPointTemperature;IfcThermodynamicTemperatureMeasure -Pset_SensorTypeWindSensor;SetPointSpeed;IfcLinearVelocityMeasure -Pset_ServiceLife;ServiceLifeDuration;IfcDuration;MeanTimeBetweenFailure;IfcDuration -Pset_ServiceLifeFactors;QualityOfComponents;IfcPositiveRatioMeasure;DesignLevel;IfcPositiveRatioMeasure;WorkExecutionLevel;IfcPositiveRatioMeasure;IndoorEnvironment;IfcPositiveRatioMeasure;OutdoorEnvironment;IfcPositiveRatioMeasure;InUseConditions;IfcPositiveRatioMeasure;MaintenanceLevel;IfcPositiveRatioMeasure -Pset_ShadingDeviceCommon;Reference;IfcIdentifier;MechanicalOperated;IfcBoolean;SolarTransmittance;IfcPositiveRatioMeasure;SolarReflectance;IfcPositiveRatioMeasure;VisibleLightTransmittance;IfcPositiveRatioMeasure;VisibleLightReflectance;IfcPositiveRatioMeasure;ThermalTransmittance;IfcThermalTransmittanceMeasure;IsExternal;IfcBoolean;Roughness;IfcLabel;SurfaceColor;IfcLabel -Pset_SiteCommon;Reference;IfcIdentifier;BuildableArea;IfcAreaMeasure;SiteCoverageRatio;IfcPositiveRatioMeasure;FloorAreaRatio;IfcPositiveRatioMeasure;BuildingHeightLimit;IfcPositiveLengthMeasure;TotalArea;IfcAreaMeasure -Pset_SlabCommon;Reference;IfcIdentifier;AcousticRating;IfcLabel;FireRating;IfcLabel;PitchAngle;IfcPlaneAngleMeasure;Combustible;IfcBoolean;SurfaceSpreadOfFlame;IfcLabel;Compartmentation;IfcBoolean;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean -Pset_SolarDeviceTypeCommon;Reference;IfcIdentifier -Pset_SoundAttenuation;SoundFrequency;IfcFrequencyMeasure -Pset_SoundGeneration;SoundCurve;IfcSoundPowerMeasure -Pset_SpaceCommon;Reference;IfcIdentifier;IsExternal;IfcBoolean;GrossPlannedArea;IfcAreaMeasure;NetPlannedArea;IfcAreaMeasure;PubliclyAccessible;IfcBoolean;HandicapAccessible;IfcBoolean -Pset_SpaceCoveringRequirements;FloorCovering;IfcLabel;FloorCoveringThickness;IfcPositiveLengthMeasure;WallCovering;IfcLabel;WallCoveringThickness;IfcPositiveLengthMeasure;CeilingCovering;IfcLabel;CeilingCoveringThickness;IfcPositiveLengthMeasure;SkirtingBoard;IfcLabel;SkirtingBoardHeight;IfcPositiveLengthMeasure;Molding;IfcLabel;MoldingHeight;IfcPositiveLengthMeasure;ConcealedFlooring;IfcBoolean;ConcealedFlooringOffset;IfcNonNegativeLengthMeasure;ConcealedCeiling;IfcBoolean;ConcealedCeilingOffset;IfcNonNegativeLengthMeasure -Pset_SpaceFireSafetyRequirements;FireRiskFactor;IfcLabel;FlammableStorage;IfcBoolean;FireExit;IfcBoolean;SprinklerProtection;IfcBoolean;SprinklerProtectionAutomatic;IfcBoolean;AirPressurization;IfcBoolean -Pset_SpaceHeaterTypeCommon;Reference;IfcIdentifier;BodyMass;IfcMassMeasure;ThermalMassHeatCapacity;IfcReal;OutputCapacity;IfcPowerMeasure;ThermalEfficiency;IfcNormalisedRatioMeasure;NumberOfPanels;IfcInteger;NumberOfSections;IfcInteger -Pset_SpaceHeaterTypeRadiator;TubingLength;IfcPositiveLengthMeasure;WaterContent;IfcMassMeasure -Pset_SpaceLightingRequirements;ArtificialLighting;IfcBoolean;Illuminance;IfcIlluminanceMeasure -Pset_SpaceOccupancyRequirements;OccupancyType;IfcLabel;OccupancyNumber;IfcCountMeasure;OccupancyNumberPeak;IfcCountMeasure;OccupancyTimePerDay;IfcTimeMeasure;AreaPerOccupant;IfcAreaMeasure;MinimumHeadroom;IfcLengthMeasure;IsOutlookDesirable;IfcBoolean -Pset_SpaceParking;ParkingUse;IfcLabel;ParkingUnits;IfcCountMeasure;IsAisle;IfcBoolean;IsOneWay;IfcBoolean -Pset_SpaceThermalDesign;CoolingDesignAirflow;IfcVolumetricFlowRateMeasure;HeatingDesignAirflow;IfcVolumetricFlowRateMeasure;TotalSensibleHeatGain;IfcPowerMeasure;TotalHeatGain;IfcPowerMeasure;TotalHeatLoss;IfcPowerMeasure;CoolingDryBulb;IfcThermodynamicTemperatureMeasure;CoolingRelativeHumidity;IfcPositiveRatioMeasure;HeatingDryBulb;IfcThermodynamicTemperatureMeasure;HeatingRelativeHumidity;IfcPositiveRatioMeasure;VentilationAirFlowrate;IfcVolumetricFlowRateMeasure;ExhaustAirFlowrate;IfcVolumetricFlowRateMeasure;CeilingRAPlenum;IfcBoolean;BoundaryAreaHeatLoss;IfcHeatFluxDensityMeasure -Pset_SpaceThermalLoad;People;IfcPowerMeasure;Lighting;IfcPowerMeasure;EquipmentSensible;IfcPowerMeasure;VentilationIndoorAir;IfcPowerMeasure;VentilationOutdoorAir;IfcPowerMeasure;RecirculatedAir;IfcPowerMeasure;ExhaustAir;IfcPowerMeasure;AirExchangeRate;IfcPowerMeasure;DryBulbTemperature;IfcPowerMeasure;RelativeHumidity;IfcPowerMeasure;InfiltrationSensible;IfcPowerMeasure;TotalSensibleLoad;IfcPowerMeasure;TotalLatentLoad;IfcPowerMeasure;TotalRadiantLoad;IfcPowerMeasure -Pset_SpaceThermalRequirements;SpaceTemperature;IfcThermodynamicTemperatureMeasure;SpaceTemperatureMax;IfcThermodynamicTemperatureMeasure;SpaceTemperatureMin;IfcThermodynamicTemperatureMeasure;SpaceTemperatureSummerMax;IfcThermodynamicTemperatureMeasure;SpaceTemperatureSummerMin;IfcThermodynamicTemperatureMeasure;SpaceTemperatureWinterMax;IfcThermodynamicTemperatureMeasure;SpaceTemperatureWinterMin;IfcThermodynamicTemperatureMeasure;SpaceHumidity;IfcRatioMeasure;SpaceHumidityMax;IfcRatioMeasure;SpaceHumidityMin;IfcRatioMeasure;SpaceHumiditySummer;IfcRatioMeasure;SpaceHumidityWinter;IfcRatioMeasure;DiscontinuedHeating;IfcBoolean;NaturalVentilation;IfcBoolean;NaturalVentilationRate;IfcCountMeasure;MechanicalVentilationRate;IfcCountMeasure;AirConditioning;IfcBoolean;AirConditioningCentral;IfcBoolean -Pset_SpatialZoneCommon;Reference;IfcLabel;IsExternal;IfcBoolean -Pset_StackTerminalTypeCommon;Reference;IfcIdentifier -Pset_StairCommon;Reference;IfcIdentifier;NumberOfRiser;IfcCountMeasure;NumberOfTreads;IfcCountMeasure;RiserHeight;IfcPositiveLengthMeasure;TreadLength;IfcPositiveLengthMeasure;NosingLength;IfcLengthMeasure;WalkingLineOffset;IfcPositiveLengthMeasure;TreadLengthAtOffset;IfcPositiveLengthMeasure;TreadLengthAtInnerSide;IfcPositiveLengthMeasure;WaistThickness;IfcPositiveLengthMeasure;RequiredHeadroom;IfcPositiveLengthMeasure;HandicapAccessible;IfcBoolean;HasNonSkidSurface;IfcBoolean;IsExternal;IfcBoolean;ThermalTransmittance;IfcThermalTransmittanceMeasure;LoadBearing;IfcBoolean;FireRating;IfcLabel;FireExit;IfcBoolean -Pset_StairFlightCommon;Reference;IfcIdentifier;NumberOfRiser;IfcCountMeasure;NumberOfTreads;IfcCountMeasure;RiserHeight;IfcPositiveLengthMeasure;TreadLength;IfcPositiveLengthMeasure;NosingLength;IfcLengthMeasure;WalkingLineOffset;IfcPositiveLengthMeasure;TreadLengthAtOffset;IfcPositiveLengthMeasure;TreadLengthAtInnerSide;IfcPositiveLengthMeasure;Headroom;IfcPositiveLengthMeasure;WaistThickness;IfcPositiveLengthMeasure -Pset_StructuralSurfaceMemberVaryingThickness;Thickness1;IfcPositiveLengthMeasure;Location1Local;IfcLengthMeasure;Location1Global;IfcLengthMeasure;Thickness2;IfcPositiveLengthMeasure;Location2Local;IfcLengthMeasure;Location2Global;IfcLengthMeasure;Thickness3;IfcPositiveLengthMeasure;Location3Local;IfcLengthMeasure;Location3Global;IfcLengthMeasure -Pset_SwitchingDeviceTypeCommon;Reference;IfcIdentifier;NumberOfGangs;IfcInteger;HasLock;IfcBoolean;IsIlluminated;IfcBoolean;Legend;IfcLabel;SetPoint;IfcLabel -Pset_SystemFurnitureElementTypeCommon;IsUsed;IfcBoolean;GroupCode;IfcIdentifier;NominalWidth;IfcPositiveLengthMeasure;NominalHeight;IfcPositiveLengthMeasure;Finishing;IfcLabel -Pset_SystemFurnitureElementTypePanel;HasOpening;IfcBoolean;NominalThickness;IfcPositiveLengthMeasure -Pset_SystemFurnitureElementTypeWorkSurface;UsePurpose;IfcLabel;HangingHeight;IfcPositiveLengthMeasure;NominalThickness;IfcPositiveLengthMeasure;ShapeDescription;IfcLabel -Pset_TankOccurrence;HasLadder;IfcBoolean;HasVisualIndicator;IfcBoolean -Pset_TankTypeCommon;Reference;IfcIdentifier;NominalLengthOrDiameter;IfcPositiveLengthMeasure;NominalWidthOrDiameter;IfcPositiveLengthMeasure;NominalDepth;IfcPositiveLengthMeasure;NominalCapacity;IfcVolumeMeasure;EffectiveCapacity;IfcVolumeMeasure;OperatingWeight;IfcMassMeasure;FirstCurvatureRadius;IfcPositiveLengthMeasure;SecondCurvatureRadius;IfcPositiveLengthMeasure;NumberOfSections;IfcInteger -Pset_TankTypeExpansion;ChargePressure;IfcPressureMeasure;PressureRegulatorSetting;IfcPressureMeasure;ReliefValveSetting;IfcPressureMeasure -Pset_TankTypePreformed;FirstCurvatureRadius;IfcPositiveLengthMeasure;SecondCurvatureRadius;IfcPositiveLengthMeasure -Pset_TankTypePressureVessel;ChargePressure;IfcPressureMeasure;PressureRegulatorSetting;IfcPressureMeasure;ReliefValveSetting;IfcPressureMeasure -Pset_TankTypeSectional;NumberOfSections;IfcInteger;SectionLength;IfcPositiveLengthMeasure;SectionWidth;IfcPositiveLengthMeasure -Pset_ThermalLoadAggregate;TotalCoolingLoad;IfcPowerMeasure;TotalHeatingLoad;IfcPowerMeasure;LightingDiversity;IfcPositiveRatioMeasure;InfiltrationDiversitySummer;IfcPositiveRatioMeasure;InfiltrationDiversityWinter;IfcPositiveRatioMeasure;ApplianceDiversity;IfcPositiveRatioMeasure;LoadSafetyFactor;IfcPositiveRatioMeasure -Pset_ThermalLoadDesignCriteria;OccupancyDiversity;IfcPositiveRatioMeasure;OutsideAirPerPerson;IfcVolumetricFlowRateMeasure;ReceptacleLoadIntensity;IfcReal;AppliancePercentLoadToRadiant;IfcPositiveRatioMeasure;LightingLoadIntensity;IfcReal;LightingPercentLoadToReturnAir;IfcPositiveRatioMeasure -Pset_TransformerTypeCommon;Reference;IfcIdentifier;PrimaryVoltage;IfcElectricVoltageMeasure;SecondaryVoltage;IfcElectricVoltageMeasure;PrimaryCurrent;IfcElectricCurrentMeasure;SecondaryCurrent;IfcElectricCurrentMeasure;PrimaryFrequency;IfcFrequencyMeasure;SecondaryFrequency;IfcFrequencyMeasure;PrimaryApparentPower;IfcPowerMeasure;SecondaryApparentPower;IfcPowerMeasure;MaximumApparentPower;IfcPowerMeasure;ShortCircuitVoltage;IfcComplexNumber;RealImpedanceRatio;IfcRatioMeasure;ImaginaryImpedanceRatio;IfcRatioMeasure;IsNeutralPrimaryTerminalAvailable;IfcBoolean;IsNeutralSecondaryTerminalAvailable;IfcBoolean -Pset_TransportElementCommon;Reference;IfcIdentifier;CapacityPeople;IfcCountMeasure;CapacityWeight;IfcMassMeasure;FireExit;IfcBoolean -Pset_TransportElementElevator;FireFightingLift;IfcBoolean;ClearWidth;IfcPositiveLengthMeasure;ClearDepth;IfcPositiveLengthMeasure;ClearHeight;IfcPositiveLengthMeasure -Pset_TubeBundleTypeCommon;Reference;IfcIdentifier;NumberOfRows;IfcInteger;StaggeredRowSpacing;IfcPositiveLengthMeasure;InLineRowSpacing;IfcPositiveLengthMeasure;NumberOfCircuits;IfcInteger;FoulingFactor;IfcThermalResistanceMeasure;ThermalConductivity;IfcThermalConductivityMeasure;Length;IfcPositiveLengthMeasure;Volume;IfcVolumeMeasure;NominalDiameter;IfcPositiveLengthMeasure;OutsideDiameter;IfcPositiveLengthMeasure;InsideDiameter;IfcPositiveLengthMeasure;HorizontalSpacing;IfcPositiveLengthMeasure;VerticalSpacing;IfcPositiveLengthMeasure;HasTurbulator;IfcBoolean -Pset_TubeBundleTypeFinned;Spacing;IfcPositiveLengthMeasure;Thickness;IfcPositiveLengthMeasure;ThermalConductivity;IfcThermalConductivityMeasure;Length;IfcPositiveLengthMeasure;Height;IfcPositiveLengthMeasure;Diameter;IfcPositiveLengthMeasure;FinCorrugatedType;IfcLabel;HasCoating;IfcBoolean -Pset_UnitaryControlElementTypeCommon;Reference;IfcIdentifier;Mode;IfcLabel -Pset_UnitaryControlElementTypeThermostat;TemperatureSetPoint;IfcThermodynamicTemperatureMeasure -Pset_UnitaryEquipmentTypeAirConditioningUnit;SensibleCoolingCapacity;IfcPowerMeasure;LatentCoolingCapacity;IfcPowerMeasure;CoolingEfficiency;IfcPositiveRatioMeasure;HeatingCapacity;IfcPowerMeasure;HeatingEfficiency;IfcPositiveRatioMeasure;CondenserFlowrate;IfcVolumetricFlowRateMeasure;CondenserEnteringTemperature;IfcThermodynamicTemperatureMeasure;CondenserLeavingTemperature;IfcThermodynamicTemperatureMeasure;OutsideAirFlowrate;IfcVolumetricFlowRateMeasure -Pset_UnitaryEquipmentTypeAirHandler;DualDeck;IfcBoolean -Pset_UnitaryEquipmentTypeCommon;Reference;IfcIdentifier -Pset_ValveTypeAirRelease;IsAutomatic;IfcBoolean -Pset_ValveTypeCommon;Reference;IfcIdentifier;Size;IfcPositiveLengthMeasure;TestPressure;IfcPressureMeasure;WorkingPressure;IfcPressureMeasure;FlowCoefficient;IfcReal;CloseOffRating;IfcPressureMeasure -Pset_ValveTypeDrawOffCock;HasHoseUnion;IfcBoolean -Pset_ValveTypeFaucet;Finish;IfcText;FaucetTopDescription;IfcText -Pset_ValveTypeFlushing;FlushingRate;IfcVolumetricFlowRateMeasure;HasIntegralShutOffDevice;IfcBoolean;IsHighPressure;IfcBoolean -Pset_ValveTypeGasTap;HasHoseUnion;IfcBoolean -Pset_ValveTypeIsolating;IsNormallyOpen;IfcBoolean -Pset_ValveTypeMixing;OutletConnectionSize;IfcPositiveLengthMeasure -Pset_ValveTypePressureReducing;UpstreamPressure;IfcPressureMeasure;DownstreamPressure;IfcPressureMeasure -Pset_ValveTypePressureRelief;ReliefPressure;IfcPressureMeasure -Pset_VibrationIsolatorTypeCommon;Reference;IfcIdentifier;VibrationTransmissibility;IfcPositiveRatioMeasure;IsolatorStaticDeflection;IfcLengthMeasure;IsolatorCompressibility;IfcRatioMeasure;MaximumSupportedWeight;IfcMassMeasure;NominalHeight;IfcPositiveLengthMeasure -Pset_WallCommon;Reference;IfcIdentifier;AcousticRating;IfcLabel;FireRating;IfcLabel;Combustible;IfcBoolean;SurfaceSpreadOfFlame;IfcLabel;ThermalTransmittance;IfcThermalTransmittanceMeasure;IsExternal;IfcBoolean;LoadBearing;IfcBoolean;ExtendToStructure;IfcBoolean;Compartmentation;IfcBoolean -Pset_Warranty;WarrantyIdentifier;IfcIdentifier;WarrantyStartDate;IfcDate;WarrantyEndDate;IfcDate;IsExtendedWarranty;IfcBoolean;WarrantyPeriod;IfcDuration;WarrantyContent;IfcText;PointOfContact;IfcLabel;Exclusions;IfcText -Pset_WasteTerminalTypeCommon;Reference;IfcIdentifier -Pset_WasteTerminalTypeFloorTrap;NominalBodyLength;IfcPositiveLengthMeasure;NominalBodyWidth;IfcPositiveLengthMeasure;NominalBodyDepth;IfcPositiveLengthMeasure;IsForSullageWater;IfcBoolean;SpilloverLevel;IfcPositiveLengthMeasure;HasStrainer;IfcBoolean;OutletConnectionSize;IfcPositiveLengthMeasure;InletConnectionSize;IfcPositiveLengthMeasure;CoverLength;IfcPositiveLengthMeasure;CoverWidth;IfcPositiveLengthMeasure -Pset_WasteTerminalTypeFloorWaste;NominalBodyLength;IfcPositiveLengthMeasure;NominalBodyWidth;IfcPositiveLengthMeasure;NominalBodyDepth;IfcPositiveLengthMeasure;OutletConnectionSize;IfcPositiveLengthMeasure;CoverLength;IfcPositiveLengthMeasure;CoverWidth;IfcPositiveLengthMeasure -Pset_WasteTerminalTypeGullySump;NominalSumpLength;IfcPositiveLengthMeasure;NominalSumpWidth;IfcPositiveLengthMeasure;NominalSumpDepth;IfcPositiveLengthMeasure;OutletConnectionSize;IfcPositiveLengthMeasure;InletConnectionSize;IfcPositiveLengthMeasure;CoverLength;IfcPositiveLengthMeasure;CoverWidth;IfcPositiveLengthMeasure -Pset_WasteTerminalTypeGullyTrap;NominalBodyLength;IfcPositiveLengthMeasure;NominalBodyWidth;IfcPositiveLengthMeasure;NominalBodyDepth;IfcPositiveLengthMeasure;HasStrainer;IfcBoolean;OutletConnectionSize;IfcPositiveLengthMeasure;InletConnectionSize;IfcPositiveLengthMeasure;CoverLength;IfcPositiveLengthMeasure;CoverWidth;IfcPositiveLengthMeasure -Pset_WasteTerminalTypeRoofDrain;NominalBodyLength;IfcPositiveLengthMeasure;NominalBodyWidth;IfcPositiveLengthMeasure;NominalBodyDepth;IfcPositiveLengthMeasure;OutletConnectionSize;IfcPositiveLengthMeasure;CoverLength;IfcPositiveLengthMeasure;CoverWidth;IfcPositiveLengthMeasure -Pset_WasteTerminalTypeWasteDisposalUnit;DrainConnectionSize;IfcPositiveLengthMeasure;OutletConnectionSize;IfcPositiveLengthMeasure;NominalDepth;IfcPositiveLengthMeasure -Pset_WasteTerminalTypeWasteTrap;OutletConnectionSize;IfcPositiveLengthMeasure;InletConnectionSize;IfcPositiveLengthMeasure -Pset_WindowCommon;Reference;IfcIdentifier;AcousticRating;IfcLabel;FireRating;IfcLabel;SecurityRating;IfcLabel;IsExternal;IfcBoolean;Infiltration;IfcVolumetricFlowRateMeasure;ThermalTransmittance;IfcThermalTransmittanceMeasure;GlazingAreaFraction;IfcPositiveRatioMeasure;HasSillExternal;IfcBoolean;HasSillInternal;IfcBoolean;HasDrive;IfcBoolean;SmokeStop;IfcBoolean;FireExit;IfcBoolean;WaterTightnessRating;IfcLabel;MechanicalLoadRating;IfcLabel;WindLoadRating;IfcLabel -Pset_WorkControlCommon;WorkStartTime;IfcTime;WorkFinishTime;IfcTime;WorkDayDuration;IfcDuration;WorkWeekDuration;IfcDuration;WorkMonthDuration;IfcDuration -Pset_ZoneCommon;Reference;IfcIdentifier;IsExternal;IfcBoolean;GrossPlannedArea;IfcAreaMeasure;NetPlannedArea;IfcAreaMeasure;PubliclyAccessible;IfcBoolean;HandicapAccessible;IfcBoolean diff --git a/src/Mod/BIM/utils/pset_definitions.xml b/src/Mod/BIM/utils/pset_definitions.xml deleted file mode 100644 index 45c44ca263..0000000000 --- a/src/Mod/BIM/utils/pset_definitions.xml +++ /dev/null @@ -1,79288 +0,0 @@ - - - - - Pset_ActionRequest - An action request is a request for an action to fulfill a need. HISTORY: IFC4: Removed RequestSourceType, RequestDescription, Status - - - IfcActionRequest - - IfcActionRequest - - - RequestSourceLabel - A specific name or label that further qualifies the identity of a request source. In the event of an email, this may be the email address. - - - - - - - Request Source Label - 要請ソースタイプ - - - - 要請がなされる源のあらかじめ定義されたタイプの識別子。 - - - - RequestSourceName - The person making the request, where known. - - - - - Request Source Name - 要請ソースラベル - - - - 要請源の識別を確認するための特定の名称またはラベル。電子メールの場合、電子メールアドレスに相当する。 - - - - RequestComments - Comments that may be made on the request. - - - - - - - Request Comments - 要請ソース名 - - - - 要請を作成する人物の名称。 - - - - - - ファシリティマネジメントにおける施策への要請事項に関するプロパティセット定義。 - - - - - Pset_ActorCommon - A property set that enables further classification of actors, including the ability to give a number of actors to be designated as a population, the number being specified as a property to be dealt with as a single value rather than having to aggregate a number of instances of IfcActor. - - - IfcActor - - IfcActor - - - NumberOfActors - The number of actors that are to be dealt with together in the population. - - - - - - - Number Of Actors - 関与者数 - 参与者数 - - - - 母集団において取り扱われる関与者の数。 - 该组参与者的总数。 - - - - Category - Designation of the category into which the actors in the population belong. - - - - - - - Category - 部門 - 类别 - - - - 母集団の中の関与者のカテゴリー(部門・分野)の指定。 - 该组参与者所属的类别。 - - - - SkillLevel - Skill level exhibited by the actor and which indicates an extent of their capability to perform actions on the artefacts upon which they can act. - - - - - - - Skill Level - 技能段階 - 技能等级 - - - - 関与者が示すスキルレベル(技能・技量段階)、および実行されるアクションへの能力を示すもの。 - 参与者具备的技能的等级,即他们在专业领域内所能展示的能力。 - - - - - - アクター(関係者)、ある指定された母集団に関与者数を与える能力、IfcActorのインスタンスの数の集合としてよりも一つの価値として扱うことの出来る特性として指定される数、などの分類を可能にするプロパティセット定義。 - 该属性集的作用为对参与者进一步分类,包括将一定数量的参与者归为一组的能力。本属性集的数量属性为一个单值,而不是作为多个IfcActor实例的集合。 - - - - - Pset_ActuatorPHistory - Properties for history of actuators. HISTORY: Added in IFC4. - - - IfcActuator - - IfcActuator - - - Position - Indicates position of the actuator over time where 0.0 is fully closed and 1.0 is fully open. - - - - - Position - 位置 - 참조 ID - - - - アクチュエータの時間ごとの位置を示す値。0.0が完全に閉じられた状態で、1.0が完全に開いた状態。 - 해당 프로젝트에서 사용이 유형에 대한 참조 ID (예 : 'A-1') ※ 기본이있는 경우 그 기호를 사용 - - - - Quality - Indicates the quality of measurement or failure condition, which may be further qualified by the Status. True: measured values are considered reliable; False: measured values are considered not reliable (i.e. a fault has been detected); Unknown: reliability of values is uncertain. - - - - - Quality - 品質 - 페일 세이프 유형 - - - - 計測の品質を示す値。 - 요청한 액츄에이터의 안전 장치 유형을 표시 - - - - Status - Indicates an error code or identifier, whose meaning is specific to the particular automation system. Example values include: 'ConfigurationError', 'NotConnected', 'DeviceFailure', 'SensorFailure', 'LastKnown, 'CommunicationsFailure', 'OutOfService'. - - - - - Status - 状態 - 재정 기능의 유무 - - - - エラーコードまたはIDを示す。例:'ConfigurationError', 'NotConnected', 'DeviceFailure', 'SensorFailure', 'LastKnown, 'CommunicationsFailure', 'OutOfService'. - 대체 기능으로 수동 조작이 제공되는지 (= TRUE) 여부 (= FALSE)를 확인한다. 수동으로 조작하는 액츄에이터의 경우는이 값을 기본값으로 FALSE로 설정해야하므로주의한다. - - - - - - アクチュエータの性能履歴の属性。IFC4にて追加。 - - - - - Pset_ActuatorTypeCommon - Actuator type common attributes. - - - IfcActuator - - IfcActuator - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照記号 - 참조 ID - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 해당 프로젝트에서 사용이 유형에 대한 참조 ID (예 : 'A-1') ※ 기본이있는 경우 그 기호를 사용 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - 페일 세이프 유형 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - 요청한 액츄에이터의 안전 장치 유형을 표시 - - - - FailPosition - Specifies the required fail-safe position of the actuator. - - - - FAILOPEN - FAILCLOSED - NOTKNOWN - UNSET - - - - FAILOPEN - - Fail Open - - - - - - - FAILCLOSED - - Fail Closed - - - - - - - OTHER - - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Fail Position - フェールセーフタイプ - 재정 기능의 유무 - - - - 要求されたアクチュエータのフェールセーフタイプを示す。 - 대체 기능으로 수동 조작이 제공되는지 (= TRUE) 여부 (= FALSE)를 확인한다. 수동으로 조작하는 액츄에이터의 경우는이 값을 기본값으로 FALSE로 설정해야하므로주의한다. - - - - ManualOverride - Identifies whether hand-operated operation is provided as an override (= TRUE) or not (= FALSE). Note that this value should be set to FALSE by default in the case of a Hand Operated Actuator. - - - - - - - Manual Override - オーバーライド機能の有無 - - - - オーバーライド機能として手動操作が提供されるか (= TRUE) 、否か (= FALSE)を識別する。手動で操作するアクチュエータの場合は、この値をデフォルトとしてFALSEに設定する必要があるので注意すること。 - - - - Application - Indicates application of actuator. - - - - EntryExitDevice - FireSmokeDamperActuator - DamperActuator - ValvePositioner - LampActuator - SunblindActuator - OTHER - NOTKNOWN - UNSET - - - - ENTRYEXITDEVICE - - Entry Exit Device - - - - - - - FIRESMOKEDAMPERACTUATOR - - Fire Smoke Damper Actuator - - - - - - - DAMPERACTUATOR - - Damper Actuator - - - - - - - VALVEPOSITIONER - - Valve Positioner - - - - - - - LAMPACTUATOR - - Lamp Actuator - - - - - - - SUNBLINDACTUATOR - - Sunblind Actuator - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Application - - - - - - - - - アクチュエータタイプの共通属性。 - - - - - Pset_ActuatorTypeElectricActuator - A device that electrically actuates a control element. - - - IfcActuator/ELECTRICACTUATOR - - IfcActuator/ELECTRICACTUATOR - - - ActuatorInputPower - Maximum input power requirement. - - - - - - - Actuator Input Power - 入力電力 - 입력 전력 - - - - 最大入力電力。 - 최대 입력 전력 - - - - ElectricActuatorType - Enumeration that identifies electric actuator as defined by its operational principle. - - - - MOTORDRIVE - MAGNETIC - OTHER - NOTKNOWN - UNSET - - - - MOTORDRIVE - - Motor Drive - - - - - - - MAGNETIC - - Magnetic - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Electric Actuator Type - 電気式アクチュエータタイプ - 전기식 액추에이터 유형 - - - - 作動原理によって定義された電気式アクチュエータを識別する一覧。 - 작동 원리에 의해 정의된 전기식 액츄에이터를 식별하는 목록 - - - - - - 制御要素を電気的に作動させるデバイス。 - - - - - Pset_ActuatorTypeHydraulicActuator - A device that hydraulically actuates a control element. - - - IfcActuator/HYDRAULICACTUATOR - - IfcActuator/HYDRAULICACTUATOR - - - InputPressure - Maximum design pressure for the actuator. - - - - - - - Input Pressure - 入力圧力 - 입력 압력 - - - - アクチュエータへの最大設計圧力。 - 액츄에이터의 최대 설계 압력 - - - - InputFlowrate - Maximum hydraulic flowrate requirement. - - - - - - - Input Flowrate - 入力流量 - 입력 유량 - - - - 最大流量。 - 최대 유량 - - - - - - 制御要素を水圧(油圧)で作動させるデバイス。 - - - - - Pset_ActuatorTypeLinearActuation - Characteristics of linear actuation of an actuator -History: Replaces Pset_LinearActuator - - - IfcActuator - - IfcActuator - - - Force - Indicates the maximum close-off force for the actuator. - - - - - - - Force - 最大推力 - 최대추력 - - - - アクチュエータの最大締め切り力を示す。 - 액츄에이터의 최대 마감 힘을 보여준다. - - - - Stroke - Indicates the maximum distance the actuator must traverse. - - - - - - - Stroke - ストローク - 입력 - - - - アクチュエータが動く最大距離を示す。 - 액츄에이터가 움직이는 최대 거리를 보여준다. - - - - - - アクチュエータの直線動作の特性。 - - - - - Pset_ActuatorTypePneumaticActuator - A device that pneumatically actuates a control element - - - IfcActuator/PNEUMATICACTUATOR - - IfcActuator/PNEUMATICACTUATOR - - - InputPressure - Maximum input control air pressure requirement. - - - - - - - Input Pressure - 入力圧力 - 입력 압력 - - - - 最大制御空気圧。 - 최대 제어 공압 - - - - InputFlowrate - Maximum input control air flowrate requirement. - - - - - - - Input Flowrate - 入力流量 - 입력 유량 - - - - 最大制御空気流量。 - 최대 제어 공기 유량 - - - - - - 制御要素を空気圧で作動させるデバイス。 - - - - - Pset_ActuatorTypeRotationalActuation - Characteristics of rotational actuation of an actuator -History: Replaces Pset_RotationalActuator - - - IfcActuator - - IfcActuator - - - Torque - Indicates the maximum close-off torque for the actuator. - - - - - - - Torque - 最大トルク - 최대 토크 - - - - アクチュエータの最大締め切りトルクを示す。 - 액츄에이터의 최대 마감 토크를 나타낸다. - - - - RangeAngle - Indicates the maximum rotation the actuator must traverse. - - - - - - - Range Angle - 最大回転角 - 최대 회전각 - - - - アクチュエータが動く最大回転角を示す。 - 액츄에이터가 움직이는 최대 회전각을 나타낸다. - - - - - - アクチュエータの回転動作の特性。 - - - - - Pset_AirSideSystemInformation - Attributes that apply to an air side HVAC system. HISTORY: New property set in IFC Release 1.0. - - - IfcSpace - IfcZone - IfcSpatialZone - - IfcSpace,IfcZone,IfcSpatialZone - - - Name - The name of the air side system. - - - - - - - Name - 名前 - 이름 - - - - 空調方式の名称。 - 공조 방식의 명칭 - - - - Description - The description of the air side system. - - - - - - - Description - 説明 - 설명 - - - - 空調方式の説明。 - 공조 방식 설명 - - - - AirSideSystemType - This enumeration specifies the basic types of possible air side systems (e.g., Constant Volume, Variable Volume, etc.). - - - - CONSTANTVOLUME - CONSTANTVOLUMESINGLEZONE - CONSTANTVOLUMEMULTIPLEZONEREHEAT - CONSTANTVOLUMEBYPASS - VARIABLEAIRVOLUME - VARIABLEAIRVOLUMEREHEAT - VARIABLEAIRVOLUMEINDUCTION - VARIABLEAIRVOLUMEFANPOWERED - VARIABLEAIRVOLUMEDUALCONDUIT - VARIABLEAIRVOLUMEVARIABLEDIFFUSERS - VARIABLEAIRVOLUMEVARIABLETEMPERATURE - OTHER - NOTKNOWN - UNSET - - - - CONSTANTVOLUME - - Constant Volume - - - - - - - CONSTANTVOLUMESINGLEZONE - - Constant Volume Single Zone - - - - - - - CONSTANTVOLUMEMULTIPLEZONEREHEAT - - Constant Volume Multiple Zone Reheat - - - - - - - CONSTANTVOLUMEBYPASS - - Constant Volume Bypass - - - - - - - VARIABLEAIRVOLUME - - Variable Air Volume - - - - - - - VARIABLEAIRVOLUMEREHEAT - - Variable Air Volume Reheat - - - - - - - VARIABLEAIRVOLUMEINDUCTION - - Variable Air Volume Induction - - - - - - - VARIABLEAIRVOLUMEFANPOWERED - - Variable Air Volume Fan Powered - - - - - - - VARIABLEAIRVOLUMEDUALCONDUIT - - Variable Air Volume Dual Conduit - - - - - - - VARIABLEAIRVOLUMEVARIABLEDIFFUSERS - - Variable Air Volume Variable Diffusers - - - - - - - VARIABLEAIRVOLUMEVARIABLETEMPERATURE - - Variable Air Volume Variable Temperature - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Air Side System Type - - - - - - - AirSideSystemDistributionType - This enumeration defines the basic types of air side systems (e.g., SingleDuct, DualDuct, Multizone, etc.). - - - - SINGLEDUCT - DUALDUCT - MULTIZONE - OTHER - NOTKNOWN - UNSET - - - - SINGLEDUCT - - Single Duct - - - - - - - DUALDUCT - - Dual Duct - - - - - - - MULTIZONE - - Multizone - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Air Side System Distribution Type - 搬送方式 - 반송방식 - - - - 基本的な空調方式(単一ダクト、二重ダクト、マルチゾーン等)。 - 기본적인 공조 방식 (단일 덕트, 이중 덕트, 멀티존 등) - - - - TotalAirflow - The total design supply air flowrate required for the system for either heating or cooling conditions, whichever is greater. - - - - - - - Total Airflow - 給気量 - 급기량 - - - - 暖房、冷房の条件の、いずれか大きい条件で要求される設計給気量。 - 난방, 냉방 조건 중 하나 큰 조건에서 요구되는 설계 급기 량 - - - - EnergyGainTotal - The total amount of energy gains for the spaces served by the system during the peak cooling conditions, plus any system-level total energy gains. - - - - - - - Energy Gain Total - 総熱取得 - 총 열 검색 - - - - 居室の最大冷房負荷と空調システム(機器等)の再熱負荷による最大熱負荷。 - 거실 최대 냉방 부하 및 공조 시스템 (장비 등) 재열 부하에 의한 최대 열부하. - - - - AirflowSensible - The air flowrate required to satisfy the sensible peak loads. - - - - - - - Airflow Sensible - 顕熱空調給気量 - 현열 공조 급기 량 - - - - 最大潜熱負荷に対応する給気量。 - 최대 잠열 부하에 대한 급기 량 - - - - EnergyGainSensible - The sum of total energy gains for the spaces served by the system during the peak cooling conditions, plus any system-level sensible energy gains. - - - - - - - Energy Gain Sensible - 顕熱空調負荷 - 현열 공조 부하 - - - - ピーク時各居室の最大冷房負荷と空調システムの顕熱負荷による最大顕熱負荷。 - 최대 각 거실 최대 냉방 부하 및 공조 시스템의 현열 부하에 의한 최대 현열 부하 - - - - EnergyLoss - The sum of energy losses for the spaces served by the system during the peak heating conditions. - - - - - - - Energy Loss - 熱(エネルギー)ロス - 열(에너지)로스 - - - - ピーク時空調システム最大暖房負荷を提供する際の熱ロス。 - 최대 공조 시스템 최대 난방 부하를 제공할 수있는 열 손실 - - - - LightingDiversity - Lighting diversity. - - - - - - - Lighting Diversity - 照明負荷係数 - 조명부하계수 - - - - 照明負荷係数。 - 조명 부하 계수 - - - - InfiltrationDiversitySummer - Diversity factor for Summer infiltration. - - - - - - - Infiltration Diversity Summer - 夏期すき間換気率 - 여름틈새 환기 비율 - - - - 夏期すき間換気率。 - 여름 틈새 환기 비율 - - - - InfiltrationDiversityWinter - Diversity factor for Winter infiltration. - - - - - - - Infiltration Diversity Winter - 冬期すき間換気率 - 겨울철 틈새 환기 비율 - - - - 冬期すき間換気率。 - 겨울철 틈새 환기 비율 - - - - ApplianceDiversity - Diversity of appliance load. - - - - - - - Appliance Diversity - 機器の負荷率 - 기기의 부하율 - - - - 機器の負荷率。 - 기기의 부하율 - - - - LoadSafetyFactor - Load safety factor. - - - - - - - Load Safety Factor - 負荷の安全率 - 부하의 안전율 - - - - 空調負荷計算用の安全率(割増係数)。 - 공조 부하 계산을위한 안전율 (할증 계수) - - - - HeatingTemperatureDelta - Heating temperature difference for calculating space air flow rates. - - - - - - - Heating Temperature Delta - 暖房時送風温度差 - 난방시 돌풍 온도차 - - - - 空調送風量計算用の暖房給気温度差。 - 에어컨 송풍 량 계산을위한 난방 급기 온도차 - - - - CoolingTemperatureDelta - Cooling temperature difference for calculating space air flow rates. - - - - - - - Cooling Temperature Delta - 冷房時送風温度差 - 냉방시 돌풍 온도차 - - - - 空調送風量計算用の冷房給気温度差。 - 에어컨 송풍 량 계산을위한 냉방 급기 온도차 - - - - Ventilation - Required outside air ventilation. - - - - - - - Ventilation - 外気量 - 외기량 - - - - 要求された外気量。 - 요청한 외기 량 - - - - FanPower - Fan motor loads contributing to the cooling load. - - - - - - - Fan Power - 送風機電力消費量 - 송풍기 소비 전력 - - - - 送風機モーターからの熱取得。 - 송풍기 모터의 열 취득 - - - - - - 空調システムに適用する属性。 - - - - - Pset_AirTerminalBoxPHistory - Air terminal box performance history attributes. - - - IfcAirTerminalBox - - IfcAirTerminalBox - - - DamperPosition - Control damper position, ranging from 0 to 1. - - - - - Damper Position - Position du registre - ダンパ開度 - - - - Position de contrôle du registre, compris entre 0 et 1. - 制御ダンパの開度(0~1) - - - - AtmosphericPressure - Ambient atmospheric pressure. - - - - - Atmospheric Pressure - Pression atmosphérique - 大気圧 - - - - Pression atmosphérique ambiante - 周囲大気圧 - - - - Sound - Sound performance. - - - - - Sound - Acoustique - 騒音 - - - - Performance acoustique - 騒音性能 - - - - AirflowCurve - Air flowrate versus damper position relationship;airflow = f ( valve position). - - - - - Airflow Curve - Courbe de débit d'air - 流量曲線 - - - - Relation entre débit d'air par rapport à la position du registre; Débit d'air = f (position du clapet) - ダンパ開度と風量の関係  風量=f(開度) - - - - - - ターミナルボックス性能履歴の属性。 - - - - - Pset_AirTerminalBoxTypeCommon - Air terminal box type common attributes. - - - IfcAirTerminalBox - - IfcAirTerminalBox - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - Référence - 参照記号 - - - - Identification de référence pour ce type spécifique à ce projet, c'est-à-dire type'A-1', fourni à partir du moment où, s'il n'y a pas de référence de classification par rapport à un système de classification reconnu et en usage. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Etat - 状態 - - - - Etat de l'élément, utilisé avant tout pour les projets de rénovation et réaménagement. L'état assigné peut être "Nouveau" - l'élément prévu pour du neuf, "Existant" - l'élément existait et est maintenu, "Démoli" - l'élément existait mais doit être démoli/supprimé, "Provisoire" - l'élément existera à titre provisoire seulement (comme un support structurel par exemple). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - AirflowRateRange - Range of airflow that can be delivered. - - - - - - - Airflow Rate Range - Domaine de débit d'air - 風量範囲 - - - - Plage de débit d'air pouvant être fourni. - 送風できる風量の範囲 - - - - AirPressureRange - Allowable air static pressure range at the entrance of the air terminal box. - - - - - - - Air Pressure Range - Plage de pression d'air - 空気圧範囲 - - - - Plage admise de la pression statique de l'air à l'entrée du registre terminal de ventilation - ターミナル入り口での許容静圧範囲 - - - - NominalAirFlowRate - Nominal airflow rate. - - - - - - - Nominal Air Flow Rate - Débit d'air nominal - 設計風量範囲 - - - - Débit d'air nominal - 設計風量範囲 - - - - ArrangementType - Terminal box arrangement. -SingleDuct: Terminal box receives warm or cold air from a single air supply duct. -DualDuct: Terminal box receives warm and cold air from separate air supply ducts. - - - - SINGLEDUCT - DUALDUCT - OTHER - NOTKNOWN - UNSET - - - - SINGLEDUCT - - Single Duct - - - - - - - DUALDUCT - - Dual Duct - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Arrangement Type - Type de configuration - ターミナル形式 - - - - Configuration du registre terminal. -Conduit unique: le registre terminal reçoit de l'air chaud ou froid depuis un conduit unique d'amenée d'air - ターミナルボックスの形式。 -単一ダクト:単一のダクトから、温風または冷風を受け取る -デュアルダクト:温風、冷風を分離されたダクトから受け取る - - - - ReheatType - Terminal box reheat type. - - - - ELECTRICALREHEAT - WATERCOILREHEAT - STEAMCOILREHEAT - GASREHEAT - NONE - OTHER - NOTKNOWN - UNSET - - - - ELECTRICALREHEAT - - Electrical Reheat - - - - - - - WATERCOILREHEAT - - Water Coil Reheat - - - - - - - STEAMCOILREHEAT - - Steam Coil Reheat - - - - - - - GASREHEAT - - Gas Reheat - - - - - - - NONE - - None - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Reheat Type - Type de réchauffage - 再熱形式 - - - - Type de réchauffage d'un registre terminal de ventilation - ターミナルの再熱方式 -(電気、水コイル、蒸気コイル、ガス加熱...) - - - - HasSoundAttenuator - Terminal box has a sound attenuator. - - - - - - - Has Sound Attenuator - Possède correction acoustique - 消音有無 - - - - Le registre terminal possède une correction acoustique - ターミナルに消音があるか否か (あればTRUE) - - - - HasReturnAir - Terminal box has return air mixed with supply air from duct work. - - - - - - - Has Return Air - Possède air repris - 還気有無 - - - - Le registre terminal a son air de reprise mélangé avec une amenée d'air issu du réseau de ventilation - ターミナルで還気を混合しているか否か(していればTRUE) - - - - HasFan - Terminal box has a fan inside (fan powered box). - - - - - - - Has Fan - Possède ventilateur - 送風機有無 - - - - Le registre terminal possède dans son intérieur un ventilateur (registre motorisé) - 内部に送風機を持つ時にTRUE - - - - NominalInletAirPressure - Nominal airflow inlet static pressure. - - - - - - - Nominal Inlet Air Pressure - Pression nominale à l'entrée d'air - 設計入口空気圧 - - - - Pression statique en débit d'air nominal à l'entrée - 入口静圧の設計値 - - - - NominalDamperDiameter - Nominal damper diameter. - - - - - - - Nominal Damper Diameter - Diamètre nominal clapet - 設計ダンパ直径 - - - - Diamètre nominal clapet - ダンパ直径の設計値 - - - - HousingThickness - Air terminal box housing material thickness. - - - - - - - Housing Thickness - Epaisseur de l'enveloppe - ハウジング板厚 - - - - Epaisseur du matériau réalisant l'enveloppe du registre terminal de ventilation - ターミナルのハウジング材の板厚 - - - - OperationTemperatureRange - Allowable operational range of the ambient air temperature. - - - - - - - Operation Temperature Range - Plage de température d'exploitation - 動作温度範囲 - - - - Plage opérationnelle possible de la température de l'air ambiant - 許容周囲温度範囲 - - - - ReturnAirFractionRange - Allowable return air fraction range as a fraction of discharge airflow. - - - - - - - Return Air Fraction Range - Plage pour la fraction d'air repris - 還気風量比 - - - - Plage possiblede la fraction d'air repris en tant que fraction de l'air rejeté - 送風量の一部としての許容還気風量 - - - - - - ターミナルボックスタイプの共通属性。 - - - - - Pset_AirTerminalOccurrence - Air terminal occurrence attributes attached to an instance of IfcAirTerminal. - - - IfcAirTerminal - - IfcAirTerminal - - - AirflowType - Enumeration defining the functional type of air flow through the terminal. - - - - SUPPLYAIR - RETURNAIR - EXHAUSTAIR - OTHER - NOTKNOWN - UNSET - - - - SUPPLYAIR - - Supply Air - - - - - - - RETURNAIR - - Return Air - - - - - - - EXHAUSTAIR - - Exhaust Air - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Airflow Type - Type de débit d'air - エアフロータイプ - - - - Enumération définissant le type fonctionnel de débit à travers le terminal - ターミナルを通過する気流の機能タイプ(給気、還気、排気他) - - - - AirFlowRate - The actual airflow rate as designed. - - - - - - - Air Flow Rate - - - - - - - Location - Location (a single type of diffuser can be used for multiple locations); high means close to ceiling. - - - - SIDEWALLHIGH - SIDEWALLLOW - CEILINGPERIMETER - CEILINGINTERIOR - FLOOR - SILL - OTHER - NOTKNOWN - UNSET - - - - SIDEWALLHIGH - - Side Wall High - - - - - - - SIDEWALLLOW - - Side Wall Low - - - - - - - CEILINGPERIMETER - - Ceiling Perimeter - - - - - - - CEILINGINTERIOR - - Ceiling Interior - - - - - - - FLOOR - - Floor - - - - - - - SILL - - Sill - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Location - Emplacement - 位置 - - - - Emplacement (un seul type de diffuseur peut être utilisé pour des emplaments multiples); Haut signifie proche du plafond. - 制気口の取り付け位置(壁面高所・低部、天井ぺり、天井中央、床、床下他) - - - - - - IfcAirTerminalのインスタンスの属性を設定。 - - - - - Pset_AirTerminalPHistory - Air terminal performance history common attributes. - - - IfcAirTerminal - - IfcAirTerminal - - - AirFlowRate - Volumetric flow rate. - - - - - Air Flow Rate - Débit d'air - 風量 - - - - Débit d'air volumique - 送風量 - - - - NeckAirVelocity - Air velocity at the neck. - - - - - Neck Air Velocity - Vitesse de l'air au point le plus étroit - ネック風速 - - - - Vitesse de l'air au point le plus étroit - ネックの風速 - - - - SupplyAirTemperatureHeating - Supply air temperature in heating mode. - - - - - Supply Air Temperature Heating - Température de l'air soufflé en chauffage - 暖房給気温度 - - - - Température de l'air soufflé en mode chauffage - 暖房時の給気温度 - - - - SupplyAirTemperatureCooling - Supply air temperature in cooling mode. - - - - - Supply Air Temperature Cooling - Température de l'air soufflé en refroidissement - 冷房給気温度 - - - - Température de l'air soufflé en mode refroidissement - 冷房時の給気温度 - - - - PressureDrop - Drop in total pressure between inlet and outlet at nominal air-flow rate. - - - - - Pressure Drop - Chute de pression - 圧力降下 - - - - Chute de pression totale entre l'entrée et la sortie en débit d'air nominal - 設定風量での入口/出口間の全圧降下 - - - - InductionRatio - Induction ratio versus distance from the diffuser and its discharge direction; induction ratio (or entrainment ratio) is the ratio of the volumetric flow rate in the jet to the volumetric flow rate at the air terminal. - - - - - - - - - - - - - Induction Ratio - Taux d'induction - 誘引率 - - - - Taux d'induction par rapport à la distance entre le diffuseur et sa direction de rejet; -Le taux d'induction est le rapport entre le débit volumique d'air dans le jet sur le débit volumique d'air au niveau du terminal. - 制気口からの距離とその排出方向に対する誘引比、 -誘導比(または同調比)は、エアターミナルでの体積流量に対する噴流の体積流量の比である。 - - - - CenterlineAirVelocity - Centerline air velocity versus distance from the diffuser and temperature differential; a function of distance from diffuser and temperature difference between supply air and room air. - - - - - - - - - - - - - Centerline Air Velocity - Vitesse de l'air en axe central de jet - 中心空気速度 - - - - Vitesse de l'air en axe central de jet par rapport à la distance entre le diffuseur et la température différentielle; une fonction de la distance entre le diffuseur et la différence de température entre celui de l'air fourni et celui de l'air de la pièce. - 吹出口かからの距離と温度差に対する中心速度、 -給気と室内空気の間の吹出口かからの距離と温度差の関数 - - - - - - エアターミナル性能履歴の共通属性を設定します。 - - - - - Pset_AirTerminalTypeCommon - Air terminal type common attributes. -SoundLevel attribute deleted in IFC2x2 Pset Addendum: Use IfcSoundProperties instead. - - - IfcAirTerminal - - IfcAirTerminal - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - Référence - 参照記号 - - - - Identification de référence pour ce type spécifique à ce projet, c'est-à-dire type'A-1', fourni à partir du moment où, s'il n'y a pas de référence de classification par rapport à un système de classification reconnu et en usage. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Etat - 状態 - - - - Etat de l'élément, utilisé avant tout pour les projets de rénovation et réaménagement. L'état assigné peut être "Nouveau" - l'élément prévu pour du neuf, "Existant" - l'élément existait et est maintenu, "Démoli" - l'élément existait mais doit être démoli/supprimé, "Provisoire" - l'élément existera à titre provisoire seulement (comme un support structurel par exemple). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - Shape - Shape of the air terminal. Slot is typically a long narrow supply device with an aspect ratio generally greater than 10 to 1. - - - - ROUND - RECTANGULAR - SQUARE - SLOT - OTHER - NOTKNOWN - UNSET - - - - ROUND - - Round - - - - - - - RECTANGULAR - - Rectangular - - - - - - - SQUARE - - Square - - - - - - - SLOT - - Slot - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Shape - Forme - 形状 - - - - Forme du terminal de ventilation. La fente est généralement un long et étroit appareil d'apport avec un rapport de forme généralement supérieur à 10 pour 1. - ターミナルの形状(円状、四角形、正方形、スロット他)。 スロット(溝状)は一般的にアスペクト比10以上が典型的である。 - - - - FaceType - Identifies how the terminal face of an AirTerminal is constructed. - - - - FOURWAYPATTERN - SINGLEDEFLECTION - DOUBLEDEFLECTION - SIGHTPROOF - EGGCRATE - PERFORATED - LOUVERED - OTHER - NOTKNOWN - UNSET - - - - FOURWAYPATTERN - - Fourway Pattern - - - - - - - SINGLEDEFLECTION - - Single Deflection - - - - - - - DOUBLEDEFLECTION - - Double Deflection - - - - - - - SIGHTPROOF - - Sight Proof - - - - - - - EGGCRATE - - Egg Crate - - - - - - - PERFORATED - - Perforated - - - - - - - LOUVERED - - Louvered - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Face Type - TypeCôté - 表面タイプ - - - - Caractérise comment le côté du terminal d'un terminal de ventilation est fabriqué. - ターミナル表面の形式定義 - - - - SlotWidth - Slot width. - - - - - - - Slot Width - EpaisseurFente - スロット巾 - - - - Epaisseur de la fente - スロット巾 - - - - SlotLength - Slot length. - - - - - - - Slot Length - ElongueurFente - スロット長 - - - - Longueur de la fente - スロット長 - - - - NumberOfSlots - Number of slots. - - - - - - - Number Of Slots - NombreDeFentes - スロット数 - - - - Nombre de fentes - スロット数 - - - - FlowPattern - Flow pattern. - - - - LINEARSINGLE - LINEARDOUBLE - LINEARFOURWAY - RADIAL - SWIRL - DISPLACMENT - COMPACTJET - OTHER - NOTKNOWN - UNSET - - - - LINEARSINGLE - - Linear Single - - - - - - - LINEARDOUBLE - - Linear Double - - - - - - - LINEARFOURWAY - - Linear Four-way - - - - - - - RADIAL - - Radial - - - - - - - SWIRL - - Swirl - - - - - - - DISPLACMENT - - Displacment - - - - - - - COMPACTJET - - Compact Jet - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Flow Pattern - FormeFlux - 流れ種類 - - - - Forme du flux - 流れ種類(単一直線、腹式直線、4方向、放射状、SWIRL、DISPLACEMENT、COMPACT他) - - - - AirFlowrateRange - Air flowrate range within which the air terminal is designed to operate. - - - - - - - Air Flowrate Range - PlageDébitVentilation - 流量範囲 - - - - Plage de débit de ventilation dans laquelle le terminal de ventilation est prévu de fonctionner. - 操作されるターミナル内の空気流の範囲 - - - - TemperatureRange - Temperature range within which the air terminal is designed to operate. - - - - - - - Temperature Range - PlageTemperature - 温度範囲 - - - - Plage de température dans laquelle le terminal de ventilation est prévu de fonctionner. - 操作されるターミナルの温度範囲 - - - - DischargeDirection - Discharge direction of the air terminal. - -Parallel: discharges parallel to mounting surface designed so that flow attaches to the surface. -Perpendicular: discharges away from mounting surface. -Adjustable: both parallel and perpendicular discharge. - - - - PARALLEL - PERPENDICULAR - ADJUSTABLE - OTHER - NOTKNOWN - UNSET - - - - PARALLEL - - Parallel - - - - - - - PERPENDICULAR - - Perpendicular - - - - - - - ADJUSTABLE - - Adjustable - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Discharge Direction - DirectionEmission - 吐き出し方向 - - - - Direction d'émission du terminal de ventilation. - -Parallèle: émission parallèle à la surface de fixation conçu de façon à ce que le flux se colle à la surface. -Perpendiculaire: émission s'éloignant de la surface de fixation. -Réglable: émission parallèle et aussi s'éloignant de la surface de fixation. - ターミナルの吐き出し方向 -水平:取り付け面と水平に吐き出し -垂直:取り付け面から離れた方向に吐き出し -調節可能:水平・垂直方向両方に調整 - - - - ThrowLength - The horizontal or vertical axial distance an airstream travels after leaving an AirTerminal before the maximum stream velocity is reduced to a specified terminal velocity under isothermal conditions at the upper value of the AirFlowrateRange. - - - - - - - Throw Length - Longueur de jet - 到達距離 - - - - La distance axiale horizontale ou verticale un jet d'air parcourt après avoir quitté un terminal de ventilation avant que la vittesse d'éjection maximale est réduite à une vitessedu terminal spécifique dans des conditions isothermes pour la valeur la plus élevée de la plage de débit d'air. - ターミナルからの水平または垂直の到達距離 -流量範囲の最大値での吐き出し速度が設定された流速に減速するまでの上限値 - - - - AirDiffusionPerformanceIndex - The Air Diffusion Performance Index (ADPI) is used for cooling mode conditions. If several measurements of air velocity and air temperature are made throughout the occupied zone of a space, the ADPI is the percentage of locations where measurements were taken that meet the specifications for effective draft temperature and air velocity. - - - - - - - Air Diffusion Performance Index - Indice de performance de diffusion de l'air - 空気拡散性能指標 - - - - L'Indice de Performance de Diffusion d'Air (ADPI) est utilisé pour des conditions en mode rafraîchissement. Si plusieurs mesures de vitesses et températures de l'air sont réalisées à travers toute une zone occupée d'un espace, l'ADPI est le pourcentage des emplacements où les mesures ont été réalisées et qui vérifient les caractéristiques pour une température de courant d'air et de vitesse d'air effectives. - 空気拡散性能指標(ADPI)は冷房時に使用される。 -空気速度および気温のいくつかの測定が空間の居住域の隅々でなされる場合、ADPIは有効な草案の温度および空気速度のための仕様に遭遇する測定が得られた位置の割合である。 - - - - FinishType - The type of finish for the air terminal. - - - - ANNODIZED - PAINTED - NONE - OTHER - NOTKNOWN - UNSET - - - - ANNODIZED - - Annodized - - - - - - - PAINTED - - Painted - - - - - - - NONE - - None - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Finish Type - TypeFinition - 仕上げ形式 - - - - Le type de finition du terminal de ventilation. - ターミナルの仕上げの形式(ANNODIZED,塗装他) - - - - FinishColor - The finish color for the air terminal. - - - - - - - Finish Color - CouleurFinition - 仕上げ色 - - - - La couleur de finition du terminal de ventilation. - ターミナルの仕上げ色 - - - - MountingType - The way the air terminal is mounted to the ceiling, wall, etc. - -Surface: mounted to the surface of something (e.g., wall, duct, etc.). -Flat flush: mounted flat and flush with a surface. -Lay-in: mounted in a lay-in type ceiling (e.g., a dropped ceiling grid). - - - - SURFACE - FLATFLUSH - LAYIN - OTHER - NOTKNOWN - UNSET - - - - SURFACE - - Surface - - - - - - - FLATFLUSH - - Flat Flush - - - - - - - LAYIN - - Layin - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Mounting Type - ModeFixation - 取り付け形式 - - - - La façon d'être fixé pour le terminal de ventilation au plafond, mur, etc. - -Surface: Fixé sur la surface de quelque chose (Ex: mur, conduit, etc.) -Alignement plat: Fixé plat et dans l'alignement d'une surface. -Insertion: Fixé dans un type de plafond avec capacité d'insertion (Ex: faux-plafondsuspendu) - ターミナルが天井や壁などに取り付けられる方法。 -表面、水平、LAYIN他 -表面:何か(壁・ダクト等)の表面に取り付け -FLATFLUSH:表面に水平・Flushni取り付け -LAYIN:天井にlay-in形式での取り付け(下がり天井格子など) - - - - CoreType - Identifies the way the core of the AirTerminal is constructed. - - - - SHUTTERBLADE - CURVEDBLADE - REMOVABLE - REVERSIBLE - NONE - OTHER - NOTKNOWN - UNSET - - - - SHUTTERBLADE - - Shutter Blade - - - - - - - CURVEDBLADE - - Curved Blade - - - - - - - REMOVABLE - - Removable - - - - - - - REVERSIBLE - - Reversible - - - - - - - NONE - - None - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Core Type - TypePartieCentrale - コア形式 - - - - Caractérise comment la partie centrale du terminal de ventilation est fabriquée. - 取り付けられたターミナルのコアの定義方法(SHUTTERBLADE, CURVEDBLADE, REMOVABLE, REVERSIBLEなど) - - - - CoreSetHorizontal - Degree of horizontal (in the X-axis of the LocalPlacement) blade set from the centerline. - - - - - - - Core Set Horizontal - PositionHorizontaleCentre - 水平羽根角度 - - - - Degré d'inclinaison horizontale (selon l'axe X par rapport au positionnement local) de la lame mesuré depuis la ligne médiane. - 水平翼の中心線からの水平(ローカル座標のX軸)面の羽根角度 - - - - CoreSetVertical - Degree of vertical (in the Y-axis of the LocalPlacement) blade set from the centerline. - - - - - - - Core Set Vertical - PositionVerticalCentre - 垂直羽根角度 - - - - Degré d'inclinaison verticale (selon l'axe Y par rapport au positionnement local) de la lame mesuré depuis la ligne médiane. - 垂直翼の中心線からの垂直(ローカル座標のY軸)方向の羽根角度 - - - - HasIntegralControl - If TRUE, a self powered temperature control is included in the AirTerminal. - - - - - - - Has Integral Control - PossèdeContrôleTotal - 自己制御有無 - - - - Si VRAI, une commande interne de la température est incluse dans le terminal de ventilation. - もし真なら、ターミナルに自身による温度制御が含まれる - - - - FlowControlType - Type of flow control element that may be included as a part of the construction of the air terminal. - - - - DAMPER - BELLOWS - NONE - OTHER - NOTKNOWN - UNSET - - - - DAMPER - - Damper - - - - - - - BELLOWS - - Bellows - - - - - - - NONE - - None - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Flow Control Type - NatureCommandeFlux - 流量制御形式 - - - - Nature de la commande de flux d'un élément qui pourrait être inclus en tant que tel dans le terminal de ventilation. - ターミナルの構成の一部として含まれる流量制御の形式 -(ダンパー、ベローズ、無し…) - - - - HasSoundAttenuator - If TRUE, the air terminal has sound attenuation. - - - - - - - Has Sound Attenuator - PossèdeCorrectionAcoustique - 消音有無 - - - - Si VRAI, le terminal de ventilation possède une correction acoustique. - ターミナルに消音が付いている場合に真 - - - - HasThermalInsulation - If TRUE, the air terminal has thermal insulation. - - - - - - - Has Thermal Insulation - PossèdeIsolationThermique - 断熱有無 - - - - Si VRAI, le terminal de ventilation possède une isolation thermique. - ターミナルに断熱がある場合に真 - - - - NeckArea - Neck area of the air terminal. - - - - - - - Neck Area - ZoneReduction - ネック面積 - - - - Partie la plus étroite du terminal de ventilation. - ターミナルのネック面積 - - - - EffectiveArea - Effective discharge area of the air terminal. - - - - - - - Effective Area - ZoneEfficace - 有効面積 - - - - Zone d'émission efficace du terminal de ventilation. - ターミナルの有効吹き出し範囲 - - - - AirFlowrateVersusFlowControlElement - Air flowrate versus flow control element position at nominal pressure drop. - - - - - - - - - - - - - Air Flowrate Versus Flow Control Element - DébitAirContreElementControleFlux - 流量制御特性 - - - - Débit d'air par rapport à la position de l'élément de contrôle du flux en perte de charge nominale - 標準の圧力低下における流量制御装置の位置に対する流量 - - - - - - エアターミナル型共通属性設定。 -SoundLevel属性はIFC2x2 psetの付録で削除された:IfcSoundPropertiesを代わりに使用します。 - - - - - Pset_AirToAirHeatRecoveryPHistory - Air to Air Heat Recovery performance history common attributes. - - - IfcAirToAirHeatRecovery - - IfcAirToAirHeatRecovery - - - SensibleEffectiveness - Sensible heat transfer effectiveness, where effectiveness is defined as the ratio of heat transfer to maximum possible heat transfer. - - - - - Sensible Effectiveness - EfficacitéSensible - 顕熱効率 - - - - Efficacité d'échange de chaleur sensible, où l'efficacité est définie par le rapport entre l'échange de chaleur effectif et l'échange maximum possible. - 顕熱効率 -効率は、最大可能熱交換に対する熱交換の比率で定義される - - - - TotalEffectiveness - Total heat transfer effectiveness: The ratio of heat transfer to the maximum possible heat transfer. - - - - - Total Effectiveness - Rendement thermique - 全熱効率 - - - - Rendement thermique: rapport entre la chaleur effective échangée et l'échange maximum possible. - 全熱効率 -最大可能熱交換に対する熱交換の比率 - - - - TemperatureEffectiveness - Temperature heat transfer effectiveness: The ratio of primary airflow temperature changes to maximum possible temperature changes. - - - - - Temperature Effectiveness - EfficacitéTempérature - 温度効率 - - - - Efficacité thermique sensible: rapport entre la différence de températures pour le flux primaire sur la différence maximale d'échange possible. - 温度熱交換効率: -最大可能温度変化に対する一次側温度変化の比 - - - - DefrostTemperatureEffectiveness - Temperature heat transfer effectiveness when defrosting is active. - - - - - Defrost Temperature Effectiveness - EfficacitéTemperatureDégel - デフロスト温度効率 - - - - Efficacité thermique sensible lorsque le mode dégel est actif - デフロスト作動時の温度熱交換効率 - - - - HumidityEffectiveness - Humidity heat transfer effectiveness: The ratio of primary airflow absolute humidity changes to maximum possible absolute humidity changes. - - - - - Humidity Effectiveness - EfficacitéLatente - 湿度効率 - - - - Efficacité sur transfert de chaleur latente: rapport entre difference de températures - 湿度熱交換効率: -最大可能絶対湿度変化に対する一次側絶対湿度変化の比 - - - - SensibleHeatTransferRate - Sensible heat transfer rate. - - - - - Sensible Heat Transfer Rate - PuissanceThermiqueSensible - 顕熱交換量 - - - - Puissance thermique sensible - 顕熱交換量 - - - - LatentHeatTransferRate - Latent heat transfer rate. - - - - - Latent Heat Transfer Rate - PuissanceThermiqueLatente - 潜熱交換量 - - - - Puissance thermique latente - 潜熱交換量 - - - - TotalHeatTransferRate - Total heat transfer rate. - - - - - Total Heat Transfer Rate - PuissanceThermiqueTotale - 全熱交換量 - - - - Puissance thermique totale - 全熱交換量 - - - - SensibleEffectivenessTable - Sensible heat transfer effectiveness curve as a function of the primary and secondary air flow rate. - - - - - Sensible Effectiveness Table - DiagrammeEfficacitéSensible - 顕熱効率テーブル - - - - Courbe d'efficacité d'échange thermique sensible, en tant que fonction du débit d'air au primaire et débit d'air au secondaire - 一次と二次空気量の関数としての顕熱交換効率曲線 - - - - TotalEffectivenessTable - Total heat transfer effectiveness curve as a function of the primary and secondary air flow rate. - - - - - Total Effectiveness Table - DiagrammeEfficacitéTotale - 全熱効率テーブル - - - - Courbe d'efficacité d'échange thermique total en tant que fonction du débit d'air au primaire et débit d'air au secondaire - 一次と二次空気量の関数としての全熱交換効率曲線 - - - - AirPressureDropCurves - Air pressure drop as function of air flow rate. - - - - - Air Pressure Drop Curves - CourbesPerteChargeAir - 空気圧力降下曲線 - - - - Perte de charge aéraulique fonction du débit d'air - 風量の関数としての空気圧力降下 - - - - - - 空気熱回収装置性能履歴共通属性。 - - - - - Pset_AirToAirHeatRecoveryTypeCommon - Air to Air Heat Recovery type common attributes. - - - IfcAirToAirHeatRecovery - - IfcAirToAirHeatRecovery - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - Référence - 参照記号 - - - - Identification de référence pour ce type spécifique à ce projet, c'est-à-dire type'A-1', fourni à partir du moment où, s'il n'y a pas de référence de classification par rapport à un système de classification reconnu et en usage. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Etat - 状態 - - - - Etat de l'élément, utilisé avant tout pour les projets de rénovation et réaménagement. L'état assigné peut être "Nouveau" - l'élément prévu pour du neuf, "Existant" - l'élément existait et est maintenu, "Démoli" - l'élément existait mais doit être démoli/supprimé, "Provisoire" - l'élément existera à titre provisoire seulement (comme un support structurel par exemple). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - HeatTransferTypeEnum - Type of heat transfer between the two air streams. - - - - SENSIBLE - LATENT - OTHER - NOTKNOWN - UNSET - - - - SENSIBLE - - Sensible - - - - - - - LATENT - - Latent - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Heat Transfer Type Enum - TypeEchangeChaleurEnum - 熱交換種類 - - - - Type de transfert de chaleur entre deux flux d'air. - 空気間の熱交換の種類(顕熱、潜熱…) - - - - HasDefrost - has the heat exchanger has defrost function or not. - - - - - - - Has Defrost - PossèdeDégel - デフロスト有無 - - - - Possède ou non une fonction dégel sur l'échangeur de chaleur - 熱交換器のデフロスト機能有無 - - - - OperationalTemperatureRange - Allowable operation ambient air temperature range. - - - - - - - Operational Temperature Range - PlageTempératureOpérationelle - 動作温度範囲 - - - - Opération admise sur la plage de température de l'air ambiant - 動作を許容する周囲温度の範囲 - - - - PrimaryAirflowRateRange - possible range of primary airflow that can be delivered.. - - - - - - - Primary Airflow Rate Range - PlageDébitAirPrimaire - 一次側風量範囲 - - - - Plage possible de débit d'air au primaire qui peut être fourni. - 一次側の送風可能範囲 - - - - SecondaryAirflowRateRange - possible range of secondary airflow that can be delivered. - - - - - - - Secondary Airflow Rate Range - PlageDébitAirSecondaire - 二次側風量範囲 - - - - Plage possible de débit d'air au secondaire qui peut être fourni. - 二次側の送風可能範囲 - - - - - - 空気熱回収タイプ共通属性。 - - - - - Pset_AlarmPHistory - Properties for history of alarm values. HISTORY: Added in IFC4. - - - IfcAlarm - - IfcAlarm - - - Enabled - Indicates whether alarm is enabled or disabled over time. - - - - - Enabled - - - - - - - Condition - Indicates alarm condition over time. The range of possible values and their meanings is defined by Pset_AlarmTypeCommon.Condition. An empty value indicates no present alarm condition. - - - - - Condition - - - - - - - Severity - Indicates alarm severity over time, where the scale of values is determined by the control system configuration. A zero value indicates no present alarm. - - - - - Severity - - - - - - - Acknowledge - Indicates acknowledgement status where False indicates acknowlegement is required and outstanding, True indicates condition has been acknowedged, and Unknown indicates no acknowledgement is required. Upon resetting the condition, then acknowledgement reverts to Unknown. - - - - - Acknowledge - - - - - - - User - Indicates acknowledging user over time by identification corresponding to IfcPerson.Identification on an IfcActor. - - - - - User - - - - - - - - - - - - - Pset_AlarmTypeCommon - Alarm type common attributes. HISTORY: Added in IFC4. - - - IfcAlarm - - IfcAlarm - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照記号 - 참조 ID - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 해당 프로젝트에서 사용이 유형에 대한 참조 ID (예 : 'A-1') ※ 기본이있는 경우 그 기호를 사용 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - Condition - Table mapping alarm condition identifiers to descriptive labels, which may be used for interpreting Pset_AlarmPHistory.Condition. - - - - - - - - - - - - - Condition - 条件 - - - - Pset_AlarmPHistory.Conditionで使用される、警報条件の識別子とラベル情報のマッピングを行う。 - - - - - - アラームタイプの共通属性。 - - - - - Pset_AnnotationContourLine - Specifies parameters of a standard curve that has a single, consistent measure value. - - - IfcAnnotation/ContourLine - - IfcAnnotation/ContourLine - - - ContourValue - Value of the elevation of the contour above or below a reference plane. - - - - - - - Contour Value - ValeurContour - 等高線値 - 등고선 값 - - - - Valeur de l'élévation du contour au dessus ou au dessous d'un plan de référence. - 参照平面に対する等高線の高さ値。 - 참조 평면에 대한 등고선의 높이 값. - - - - - - Définition de l'IAI : paramètres spécifiques à une courbe standard qui a une valeur simple et cohérente. - IfcAnnotation(注記)オブジェクトに関する標準の曲線に対する単一、同一の情報を設定するプロパティセット定義。GIS関連情報を扱う。 - - - - - Pset_AnnotationLineOfSight - Specifies the properties of the line of sight at a point of connection between two elements. Typically used to define the line of sight visibility at the junction between two roads (particularly between an access road and a public road). - - - IfcAnnotation/LineOfSight - - IfcAnnotation/LineOfSight - - - SetbackDistance - Setback distance from the point of connection on the major element along the axis of the minor element (e.g. distance from a public road at which the line of sigfht is measured. - - - - - - - Setback Distance - DistanceRecul - 後退距離 - - - - Distance de recul le long de l'axe de l'élément secondaire depuis le point de jonction sur l'élément principal (par exemple, distance depuis la route principale à partir de laquelle la visibilité est appréciée). - 副要素の軸に沿った主要素の接続点からの後退距離(例えば、可視線が測定される公道からの距離)。 - - - - VisibleAngleLeft - Angle of visibility to the left of the access. - - - - - - - Visible Angle Left - VisibiliteAngleGauche - 左側可視角度 - - - - Angle de visibilité à la gauche de l'accès. - 左側の経路に可視出来る角度。 - - - - VisibleAngleRight - Angle of visibility to the right of the access. - - - - - - - Visible Angle Right - VisibiliteAngleDroit - 右側可視角度 - - - - Angle de visibilité à la droite de l'accès. - 右側の経路に可視出来る角度。 - - - - RoadVisibleDistanceLeft - Distance visible to the left of the access. - - - - - - - Road Visible Distance Left - DistanceVisibiliteCoteGauche - 左側道路可視距離 - - - - Distance de visibilité à la gauche de l'accès. - 左側の経路に可視出来る距離。 - - - - RoadVisibleDistanceRight - Distance visible to the right of the access. - - - - - - - Road Visible Distance Right - DistanceVisibiliteCoteDroit - 右側道路可視距離 - - - - Distance de visibilité à la droite de l'accès. - 右側の経路に可視出来る距離。 - - - - - - Définition de l'IAI : spécifie les propriétés du point de vue à un point de jonction entre deux éléments. Par exemple, visibilité à la jonction entre deux routes (notamment entre un chemin d'accès et une route principale). - 二つの要素間の接続点での視線を設定する指定プロパティ。一般的に、2つの道路の間(特に公道と取付け道路(区画道路)との間)の接合部で可視線を定義するために使用される。 - - - - - Pset_AnnotationSurveyArea - Specifies particular properties of survey methods to be assigned to survey point set or resulting surface patches - - - IfcAnnotation/SurveyArea - - IfcAnnotation/SurveyArea - - - AcquisitionMethod - The means by which survey data was acquired. - - - - GPS - LASERSCAN_AIRBORNE - LASERSCAN_GROUND - SONAR - THEODOLITE - USERDEFINED - NOTKNOWN - UNSET - - - - GPS - - GPS - - - - - - - LASERSCAN_AIRBORNE - - Laserscan Airborne - - - - - - - LASERSCAN_GROUND - - Laserscan Ground - - - - - - - SONAR - - Sonar - - - - - - - THEODOLITE - - Theodolite - - - - - - - USERDEFINED - - Userdefined - - - - - - - NOTKNOWN - - Notknown - - - - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Acquisition Method - MethodeAcquisition - - - - La méthode utilisée pour effectuer le relevé. - - - - AccuracyQualityObtained - A measure of the accuracy quality of survey points as obtained expressed in percentage terms. - - - - - - - Accuracy Quality Obtained - PrecisionObtenue - - - - Mesure de la précision obtenue des points de relevé, exprimée en pourcentage. - - - - AccuracyQualityExpected - A measure of the accuracy quality of survey points as expected expressed in percentage terms. - - - - - - - Accuracy Quality Expected - PrecisionAttendue - - - - Mesure de la précision attendue des points de relevé, exprimée en pourcentage. - - - - - - Définition de l'IAI : spécifie des propriétés particulières de méthodes de relevé à relier à des ensembles de points de relevé ou aux surfaces résultant de ce relevé. - - - - - Pset_Asset - An asset is a uniquely identifiable element which has a financial value and against which maintenance actions are recorded. - - - IfcAsset - - IfcAsset - - - AssetAccountingType - Identifies the predefined types of risk from which the type required may be set. - - - - FIXED - NONFIXED - OTHER - NOTKNOWN - UNSET - - - - FIXED - - Fixed - - - - - - - NONFIXED - - Non Fixed - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Asset Accounting Type - 資産会計種別 - - - - 会計の定義済み種別。 - - - - AssetTaxType - Identifies the predefined types of taxation group from which the type required may be set. - - - - CAPITALISED - EXPENSED - OTHER - NOTKNOWN - UNSET - - - - CAPITALISED - - Capitalised - - - - - - - EXPENSED - - Expensed - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Asset Tax Type - 資産税種別 - - - - 税の定義済み種別。 - - - - AssetInsuranceType - Identifies the predefined types of insurance rating from which the type required may be set. - - - - PERSONAL - REAL - OTHER - NOTKNOWN - UNSET - - - - PERSONAL - - Personal - - - - - - - REAL - - Real - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Asset Insurance Type - 資産保険種別 - - - - 保険の定義済み種別。 - - - - - - 資産とは、維持管理活動が記録されている会計上の価値を持つ、単独に識別できる要素。 - - - - - Pset_AudioVisualAppliancePHistory - Captures realtime information for audio-video devices, such as for security camera footage and retail information displays. HISTORY: Added in IFC4. - - - IfcAudioVisualAppliance - - IfcAudioVisualAppliance - - - PowerState - Indicates the power state of the device where True is on and False is off. - - - - - Power State - 電源状態 - - - - 機器の電源オンオフの時間ごとの状態を示す。 - - - - MediaSource - Indicates the media source where the identifier corresponds to an entry within the table of available media sources on Pset_AudioVisualApplianceTypeCommon.MediaSource. - - - - - Media Source - - - - - - - MediaContent - Indicates the media content storage location, such as URLs to camera footage within particular time periods. - - - - - Media Content - - - - - - - AudioVolume - Indicates the audio volume level where the integer level corresponds to an entry or interpolation within Pset_AudioVisualApplianceTypeCommon.AudioVolume. - - - - - Audio Volume - - - - - - - - - オーディオビジュアル機器のリアルタイム情報の把握のためのプロパティセット。たとえばセキュリティカメラの画像情報インデックスや音量設定など。IFC4にて追加。 - - - - - Pset_AudioVisualApplianceTypeAmplifier - An audio-visual amplifier is a device that renders audio from a single external source connected from a port. HISTORY: Added in IFC4. - - - IfcAudioVisualAppliance/AMPLIFIER - - IfcAudioVisualAppliance/AMPLIFIER - - - AmplifierType - Indicates the type of amplifier. - - - - FIXED - VARIABLE - OTHER - NOTKNOWN - UNSET. - - - - FIXED - - Fixed - - - - - - - VARIABLE - - Variable - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET. - - Unset. - - - - - - - - - - Amplifier Type - アンプ形式 - 앰프 형식 - - - - アンプの形式を示す。 - 앰프의 형식을 보여준다. - - - - AudioAmplification - Indicates audio amplification frequency ranges. - - - - - - - - - - - - - Audio Amplification - オーディオアンプ - 오디오 앰프 - - - - 再生周波数帯域を示す。 - 재생 주파수 대역을 나타낸다. - - - - AudioMode - Indicates audio sound modes and corresponding labels, if applicable. - - - - - - - - - - - - - Audio Mode - オーディオモード - 오디오 모드 - - - - オーディオサウンドモードの設定。 - 오디오 사운드 모드 설정. - - - - - - ポートに接続された外部ソースからの音源を増幅する装置。 - - - - - Pset_AudioVisualApplianceTypeCamera - An audio-visual camera is a device that captures video, such as for security. HISTORY: Added in IFC4. - - - IfcAudioVisualAppliance/CAMERA - - IfcAudioVisualAppliance/CAMERA - - - CameraType - Indicates the type of camera. - - - - PHOTO - VIDEO - AUDIOVIDEO - OTHER - NOTKNOWN - UNSET. - - - - PHOTO - - Photo - - - - - - - VIDEO - - Video - - - - - - - AUDIOVIDEO - - Audio/Video - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET. - - Unset. - - - - - - - - - - Camera Type - カメラ形式 - 카메라 형식 - - - - カメラの形式を示す。 - 카메라의 형식을 보여준다. - - - - IsOutdoors - Indicates if camera is designed to be used outdoors. - - - - - - - Is Outdoors - 屋外対応の可否 - 실외 여부 - - - - 屋外利用が可能かどうかを示す。 - 옥외 이용이 가능한지 여부를 나타냅니다. - - - - VideoResolutionWidth - Indicates the number of horizontal pixels (the largest native video resolution width). - - - - - - - Video Resolution Width - 水平解像度 - 수평 해상도 - - - - 水平方向のピクセル数。 - 가로 픽셀 수입니다. - - - - VideoResolutionHeight - Indicates the number of vertical pixels (the largest native video resolution height). - - - - - - - Video Resolution Height - 垂直解像度 - 수직 해상도 - - - - 垂直方向のピクセル数。 - 세로 픽셀 수. - - - - VideoResolutionMode - Indicates video resolution modes. - - - - - - - - - - - - - Video Resolution Mode - ビデオ解像度モード - 비디오 해상도 모드 - - - - ビデオ解像度モードを示す。 - 비디오 해상도를 보여준다. - - - - VideoCaptureInterval - Indicates video frame capture time intervals. - - - - - - - - - - - - - Video Capture Interval - 撮影間隔 - - - - 撮影間隔を示す。 - - - - PanTiltZoomPreset - Indicates pan/tilt/zoom position presets. - - - - - - - - - - - - - Pan Tilt Zoom Preset - パン・チルト・ズーム初期設定 - - - - パン・チルト・ズーム機能の初期設定。 - - - - PanHorizontal - Indicates horizontal range for panning. - - - - - - - Pan Horizontal - パン水平方向可動範囲 - - - - 水平方向の可動範囲を示す。 - - - - PanVertical - Indicates vertical range for panning. - - - - - - - Pan Vertical - パン垂直方向可動範囲 - - - - 垂直方向の可動範囲を示す。 - - - - TiltHorizontal - Indicates horizontal range for pivoting, where positive values indicate the camera rotating clockwise, - - - - - - - Tilt Horizontal - チルト水平方向可動角度 - - - - チルト水平の可動角度を示す。 - - - - TiltVertical - Indicates vertical range for pivoting, where 0.0 is level, +90 degrees is looking up, -90 degrees is looking down. - - - - - - - Tilt Vertical - チルト垂直方向可動角度 - - - - チルト垂直の可動角度を示す。 - - - - Zoom - Indicates the zoom range. - - - - - - - Zoom - ズーム - - - - ズーム可能範囲(倍率)を示す。 - - - - - - セキュリティシステム向けの映像を撮影する装置。 - - - - - Pset_AudioVisualApplianceTypeCommon - An audio-visual appliance is a device that renders or captures audio and/or video. HISTORY: Added in IFC4. - - - IfcAudioVisualAppliance - - IfcAudioVisualAppliance - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - 当該プロジェクトで定義する形式の参照ID(例:A-1)、承認された分類に存在しないときに使用される。 - 해당 프로젝트에 정의된 형식의 참조 ID (예 : A-1) 승인된 분류에 존재하지 않을 때 사용된다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - 전원 상태 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - 현재 전원 상태를 나타냄 - - - - MediaSource - Indicates media sources and corresponding names of ports (IfcDistributionPort with FlowDirection=SINK and PredefinedType=AUDIOVISUAL) or aggregated audio/video components (IfcAudioVisualAppliance). - - - - - - - - - - - - - Media Source - メディアソース - 미디어 소스 - - - - メディアソースと定義済みタイプ(IfcDistributionPort with FlowDirection=SINK and PredefinedType=AUDIOVISUAL)及びaudio/videoを構成する集合に対応する名前。 - 미디어 소스 정의된 유형 (IfcDistributionPort with FlowDirection = SINK and PredefinedType = AUDIOVISUAL) 및 audio / video 구성 집합에 해당하는 이름. - - - - AudioVolume - Indicates discrete audio volume levels and corresponding sound power offsets, if applicable. Missing values may be interpolated. - - - - - - - - - - - - - Audio Volume - - - - - - - - - 音響と映像を撮影・録音し放送送出する機器。 - - - - - Pset_AudioVisualApplianceTypeDisplay - An audio-visual display is a device that renders video from a screen. HISTORY: Added in IFC4. - - - IfcAudioVisualAppliance/DISPLAY - - IfcAudioVisualAppliance/DISPLAY - - - DisplayType - Indicates the type of display. - - - - CRT - DLP - LCD - LED - PLASMA - OTHER - NOTKNOWN - UNSET. - - - - CRT - Cathode Ray Tube - - CRT - - - - - - - DLP - - DLP - - - Digital light projection - - - - LCD - Liquid Crystal Diode - - LCD - - - - - - - LED - LIght Emitting Diode - - LED - - - - - - - PLASMA - - Plasma - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET. - - Unset. - - - - - - - - - - Display Type - 画面種類 - 화면 유형 - - - - 画面の種類を示す。 - 화면 종류를 나타낸다 - - - - NominalSize - Indicates the diagonal screen size. - - - - - - - Nominal Size - 画面公称サイズ - 화면 공칭 크기 - - - - 画面の対角線サイズを示す。 - 화면의 대각선 크기를 나타낸다. - - - - DisplayWidth - Indicates the physical width of the screen (only the display surface). - - - - - - - Display Width - 画面幅 - 화면 폭 - - - - 画面の幅を示す。 - 화면 너비를 보여준다 - - - - DisplayHeight - Indicates the physical height of the screen (only the display surface). - - - - - - - Display Height - 画面高さ - 화면 높이 - - - - 画面の高さを示す。 - 화면의 높이를 나타낸다 - - - - Brightness - Indicates the display brightness. - - - - - - - Brightness - 明るさ - 밝기 - - - - 明るさ示す。 - 밝기 보여준다 - - - - ContrastRatio - Indicates the display contrast ratio. - - - - - - - Contrast Ratio - コントラスト比 - 명암비 - - - - コントラスト比を示す。 - 명암비를 보여준다 - - - - RefreshRate - Indicates the display refresh frequency. - - - - - - - Refresh Rate - リフレッシュレート - 재생 - - - - リフレッシュレート周波数範囲を示す。 - 빈도 재생 빈도 주파수 범위를 나타낸다. - - - - TouchScreen - Indicates touchscreen support. - - - - SINGLETOUCH - MULTITOUCH - NONE - OTHER - NOTKNOWN - UNSET - - - - SINGLETOUCH - - Single Touch - - - - - - - MULTITOUCH - - Multi Touch - - - - - - - NONE - - None - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Touch Screen - タッチスクリーン - 터치 스크린 - - - - タッチスクリーンのサポートを示す。 - 터치 스크린 지원을 보여준다 - - - - VideoResolutionWidth - Indicates the number of horizontal pixels, e.g. 1920. - - - - - - - Video Resolution Width - 水平解像度 - 수평 해상도 - - - - 水平方向のピクセル数を示す。 - 가로 픽셀 수를 나타낸다. - - - - VideoResolutionHeight - Indicates the number of vertical pixels, e.g. 1080. - - - - - - - Video Resolution Height - 垂直解像度 - 수직 해상도 - - - - 垂直方向のピクセル数を示す。 - 수직 픽셀 수를 나타낸다. - - - - VideoResolutionMode - Indicates video resolution modes. - - - - - - - - - - - - - Video Resolution Mode - 解像度モード - 디스플레이 모드 - - - - 解像度モードを示す。 - 해상도를 보여준다 - - - - VideoScaleMode - Indicates video scaling modes. - - - - - - - - - - - - - Video Scale Mode - ビデオスケールモード - 비디오 스케일 모드 - - - - ビデオスケーリングモードを示す。 - 비디오 크기 조정 모드를 나타낸다. - - - - VideoCaptionMode - Indicates video closed captioning modes. - - - - - - - - - - - - - Video Caption Mode - ビデオキャプションモード - 비디오 캡션 모드 - - - - クローズドキャプションモードを示す。(字幕機能) - 자막 모드를 나타낸다. (자막 기능) - - - - AudioMode - Indicates audio sound modes and corresponding labels, if applicable. - - - - - - - - - - - - - Audio Mode - オーディオモード - 오디오 모드 - - - - オーディオサウンドモードの設定。 - 오디오 사운드 모드 설정. - - - - - - 画面からビデオ映像を送出する機器。 - - - - - Pset_AudioVisualApplianceTypePlayer - An audio-visual player is a device that plays stored media into a stream of audio and/or video, such as camera footage in security systems, background audio in retail areas, or media presentations in conference rooms or theatres. HISTORY: Added in IFC4. - - - IfcAudioVisualAppliance/PLAYER - - IfcAudioVisualAppliance/PLAYER - - - PlayerType - Indicates the type of player. - - - - AUDIO - VIDEO - OTHER - NOTKNOWN - UNSET. - - - - AUDIO - - Audio - - - - - - - VIDEO - - Video - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET. - - Unset. - - - - - - - - - - Player Type - プレイヤー形式 - 플레이어 형식 - - - - 再生可能な形式を示す。 - 재생 가능한 형식을 보여준다. - - - - PlayerMediaEject - Indicates whether the media can be ejected from the player (if physical media). - - - - - - - Player Media Eject - メディア取り出し可否 - 미디어 꺼내기 여부 - - - - メディアを取り出すことができるかどうかを示す。 - 미디어를 꺼낼 수 있는지 여부를 나타낸다. - - - - PlayerMediaFormat - Indicates supported media formats. - - - - - - - - - - - - - Player Media Format - メディアフォーマット - 미디어 포맷 - - - - サポートされているメディアのフォーマットを示す。 - 지원되는 미디어 형식을 보여준다. - - - - - - セキュリティーシステムのカメラや店舗などのBGMシステム、または劇場や会議室ないのプレゼンテーションシステムのような収容された音響映像信号を表示・放送する装置。 - - - - - Pset_AudioVisualApplianceTypeProjector - An audio-visual projector is a device that projects video to a surface. HISTORY: Added in IFC4. - - - IfcAudioVisualAppliance/PROJECTOR - - IfcAudioVisualAppliance/PROJECTOR - - - ProjectorType - Indicates the type of projector. - - - - OTHER - NOTKNOWN - UNSET. - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET. - - Unset. - - - - - - - - - - Projector Type - プロジェクター形式 - 프로젝터 형식 - - - - プロジェクタの形式を示す。 - 프로젝터의 형식을 보여준다. - - - - VideoResolutionWidth - Indicates the number of horizontal pixels (the largest native video resolution width). - - - - - - - Video Resolution Width - 水平解像度 - 수평 해상도 - - - - 水平方向のピクセル数を示す。 - 가로 픽셀 수를 나타낸다. - - - - VideoResolutionHeight - Indicates the number of vertical pixels (the largest native video resolution height). - - - - - - - Video Resolution Height - 垂直解像度 - 수직 해상도 - - - - 垂直方向のピクセル数を示す。 - 세로 픽셀 수를 나타낸다. - - - - VideoResolutionMode - Indicates video resolution modes. - - - - - - - - - - - - - Video Resolution Mode - 解像度モード - 디스플레이 모드 - - - - 解像度モードを示す。 - 모드해상도를 보여준다 - - - - VideoScaleMode - Indicates video scaling modes. - - - - - - - - - - - - - Video Scale Mode - ビデオスケールモード - 비디오 스케일 - - - - ビデオスケーリングモードを示す。 - 비디오 크기 조정모드를 나타낸다. - - - - VideoCaptionMode - Indicates closed captioning modes. - - - - - - - - - - - - - Video Caption Mode - ビデオキャプションモード - 비디오 캡쳐모드 - - - - クローズドキャプションモードを示す。(字幕機能) - 자막 모드를 나타낸다.(자막 기능) - - - - - - 画面にビデオ映像を投影する装置。 - - - - - Pset_AudioVisualApplianceTypeReceiver - An audio-visual receiver is a device that switches audio and/or video from multiple sources, including external sources connected from ports and internal aggregated sources. HISTORY: Added in IFC4. - - - IfcAudioVisualAppliance/RECEIVER - - IfcAudioVisualAppliance/RECEIVER - - - ReceiverType - Indicates the type of receiver. - - - - AUDIO - AUDIOVIDEO - OTHER - NOTKNOWN - UNSET. - - - - AUDIO - - Audio - - - - - - - AUDIOVIDEO - - Audio/Video - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET. - - Unset. - - - - - - - - - - Receiver Type - 受信機形式 - 수신기 형식 - - - - 受信機の形式を示す。 - 수신기의 형식을 보여준다. - - - - AudioAmplification - Indicates audio amplification frequency ranges. - - - - - - - - - - - - - Audio Amplification - オーディオアンプ - 오디오 앰프 - - - - 再生周波数帯域を示す。 - 재생 주파수 대역을 나타낸다. - - - - AudioMode - Indicates audio sound modes and corresponding labels, if applicable. - - - - - - - - - - - - - Audio Mode - オーディオモード - 오디오 모드 - - - - オーディオサウンドモードの設定。 - 오디오 사운드 모드 설정. - - - - - - 内部や外部に接続された音源を含む複数の情報から、音響と映像信号を切り替える装置。 - - - - - Pset_AudioVisualApplianceTypeSpeaker - An audio-visual speaker is a device that converts amplified audio signals into sound waves. HISTORY: Added in IFC4. - - - IfcAudioVisualAppliance/SPEAKER - - IfcAudioVisualAppliance/SPEAKER - - - SpeakerType - Indicates the type of speaker. - - - - FULLRANGE - MIDRANGE - WOOFER - TWEETER - COAXIAL - OTHER - NOTKNOWN - UNSET. - - - - FULLRANGE - - Full Range - - - - - - - MIDRANGE - - Mid Range - - - - - - - WOOFER - - Woofer - - - - - - - TWEETER - - Tweeter - - - - - - - COAXIAL - - Coaxial - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET. - - Unset. - - - - - - - - - - Speaker Type - スピーカータイプ - 스피커 타입 - - - - スピーカーのタイプを示す。 - 스피커의 타입을 나타낸다. - - - - SpeakerMounting - Indicates how the speaker is designed to be mounted. - - - - FREESTANDING - CEILING - WALL - OUTDOOR - OTHER - NOTKNOWN - UNSET. - - - - FREESTANDING - - Freestanding - - - - - - - CEILING - - Ceiling - - - - - - - WALL - - Wall - - - - - - - OUTDOOR - - Outdoor - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET. - - Unset. - - - - - - - - - - Speaker Mounting - 取付可能方法 - 설치 가능 방법 - - - - 取付可能な方法を示す。 - 붙일 수있는 방법을 보여준다. - - - - SpeakerDriverSize - Indicates the number of drivers and their sizes. - - - - - - - - - - - - - Speaker Driver Size - スピーカードライバサイズ - 스피커 드라이버 - - - - ドライバユニットと数を示す。 - 드라이버 유닛과 수를 나타낸다 - - - - FrequencyResponse - Indicates the output over a specified range of frequencies. - - - - - - - - - - - - - Frequency Response - 周波数応答 - 주파수 응답 - - - - 周波数範囲での出力を示す。 - 주파수 범위에서 출력을 보여준다. - - - - Impedence - Indicates the speaker impedence. - - - - - - - Impedence - インピーダンス値 - 임피던스 - - - - インピーダンス値を示す。 - 임피던스 값을 나타낸다. - - - - - - 音響信号を音波に変換する装置。 - - - - - Pset_AudioVisualApplianceTypeTuner - An audio-visual tuner is a device that demodulates a signal into a stream of audio and/or video. HISTORY: Added in IFC4. - - - IfcAudioVisualAppliance/TUNER - - IfcAudioVisualAppliance/TUNER - - - TunerType - Indicates the tuner type. - - - - AUDIO - VIDEO - OTHER - NOTKNOWN - UNSET. - - - - AUDIO - - Audio - - - - - - - VIDEO - - Video - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET. - - Unset. - - - - - - - - - - Tuner Type - チューナータイプ - 튜너 타입 - - - - チューナータイプを示す。 - 튜너 타입을 나타낸다 - - - - TunerMode - Indicates the tuner modes (or bands). For example, 'AnalogCable', 'DigitalAir', 'AM', 'FM'. - - - - - - - - - - - - - Tuner Mode - チューナーモード - 튜너 모드 - - - - 受信可能な放送モードを示す。 - 수신 가능한 방송 모드를 나타낸다. - - - - TunerChannel - Indicates the tuner channels, if applicable. - - - - - - - - - - - - - Tuner Channel - チューナーチャンネル - 튜너 채널 선택 - - - - 設定可能なチャンネルを示す。 - 가능한 채널을 보여준다. - - - - TunerFrequency - Indicates the tuner frequencies, if applicable. - - - - - - - Tuner Frequency - 周波数 - 주파수 대응 - - - - 対応周波数帯を示す。 - 주파수 대역을 나타낸다. - - - - - - 音響と映像の信号を変換する装置。 - - - - - Pset_BeamCommon - Properties common to the definition of all occurrence and type objects of beam. - - - IfcBeam - - IfcBeam - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Bauteiltyp - Reference - Reference - 参照記号 - 参考号 - - - Bezeichnung zur Zusammenfassung gleichartiger Bauteile zu einem Bauteiltyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1") pour désigner un "type de construction". Une alternative au nom d'un objet type lorsque les objets types ne sont pas gérés par le logiciel. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 若未采用已知的分类系统,则该属性为该项目中该类型构件的参考编号(例如,类型A-1)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - Span - Clear span for this object. - -The shape information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the shape properties, provided in the attached property, the geometric parameters take precedence. For geometry editing applications, like CAD: this value should be write-only. - - - - - - - Spannweite - Span - PorteeLibre - 全長 - 跨度 - - - Lichte Spannweite des Balkens für die statische Anforderung, - -Dieser Parameter wird zusätzlich zur geometrischen Repräsentation bereitgestellt. Im Fall der Inkonsistenz zwischen dem Parameter und der Geometrie hat die geometrische Repräsention Priorität. Dieser Parameter ist für CAD Software write-only. - - Portée libre de la poutre. Cette propriété est donnée en complément de la représentation de la forme et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. Les applications qui déterminent la géométrie comme les logiciels de CAO ne doivent pas autoriser la modification de cette propriété. - このオブジェクトの全長。 - -その形状(オブジェクトの全長)情報は、表示のための形状に内部で使用される幾何学的パラメータを加えて提供される。形状情報と内部の幾何学的パラメータに矛盾が生じた場合は、幾何学的パラメータが優先される。幾何学的パラメ-タ編集アプリケーションでは、CADと同様に、この値は書き込み専用とする。 - 该对象的净跨度。 -该属性所提供的形状信息是对内部形状描述和几何参数的补充。如果几何参数与该属性所提供的形状属性不符,应以几何参数为准。对CAD等几何编辑程序,该属性应为只写类型。 - - - - Slope - Slope angle - relative to horizontal (0.0 degrees). - -The shape information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the shape properties, provided in the attached property, the geometric parameters take precedence. For geometry editing applications, like CAD: this value should be write-only. - - - - - - - Neigungswinkel - Slope - Inclinaison - 傾斜 - 坡度 - - - Neigungswinkel des Balkens relative zur Horizontalen (0 Grad). - -Dieser Parameter wird zusätzlich zur geometrischen Repräsentation bereitgestellt. Im Fall der Inkonsistenz zwischen dem Parameter und der Geometrie hat die geometrische Repräsention Priorität. Dieser Parameter ist für CAD Software write-only. - - Angle d'inclinaison avec l'horizontale (0 degrés). Cette propriété est donnée en complément de la représentation de la forme et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. Les applications qui déterminent la géométrie comme les logiciels de CAO ne doivent pas autoriser la modification de cette propriété - 傾斜角度。水平を0度とする。 - -その形状(傾斜梁)情報は、表示のための形状に内部で使用される幾何学的パラメータを加えて提供される。形状情報と内部の幾何学的パラメータに矛盾が生じた場合は、幾何学的パラメータが優先される。幾何学的パラメ-タ編集アプリケーションでは、CADと同様に、この値は書き込み専用とする。 - 相对于水平(0.0度)方向的坡度角。 -该属性所提供的形状信息是对内部形状描述和几何参数的补充。如果几何参数与该属性所提供的形状属性不符,应以几何参数为准。对CAD等几何编辑程序,该属性应为只写类型。 - - - - Roll - Rotation against the longitudinal axis - relative to the global Z direction for all beams that are non-vertical in regard to the global coordinate system (Profile direction equals global Z is Roll = 0.) - -The shape information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the shape properties, provided in the attached property, the geometric parameters take precedence. For geometry editing applications, like CAD: this value should be write-only. - -Note: new property in IFC4 - - - - - - - Kippwinkel - Roll - RotationAutourAxeLongitudinal - 回転 - 转角 - - - Kippwinkel des Balkens relative zur Vertikalen (O Grad). - -Dieser Parameter wird zusätzlich zur geometrischen Repräsentation bereitgestellt. Im Fall der Inkonsistenz zwischen dem Parameter und der Geometrie hat die geometrische Repräsention Priorität. Dieser Parameter ist für CAD Software write-only. - - Rotation autour de l'axe longitudinal - relativement à l'axe Z pour toutes les poutres qui ne sont pas verticales relativement au repère absolu (la direction du profil est celle de l'axe Z si la valeur de la propriété est 0). Cette propriété est donnée en complément de la représentation de la forme de l'élément et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. Les applications qui déterminent la géométrie comme les logiciels de CAO ne doivent pas autoriser la modification de cette propriété. Note : nouvelle propriété de la version IFC2x4. - 梁の材軸に対する回転。 --この材軸はグローバル座標系で非垂直な全ての梁に対してグローバルZ方向へ相対する。(表示方向は、グローバルZの回転方向を0とする。) - -その形状(梁の回転)情報は、表示のための形状に内部で使用される幾何学的パラメータを加えて提供される。形状情報と内部の幾何学的パラメータに矛盾が生じた場合は、幾何学的パラメータが優先される。幾何学的パラメ-タ編集アプリケーションでは、CADと同様に、この値は書き込み専用とする。 - -注:IFC2x4の新しいプロパティ - 相对于纵轴的旋转角。对全局坐标系中的非垂直梁,该属性为相对于Z轴的角度。(若轮廓方向在Z轴上,则转角为0。) -该属性所提供的形状信息是对内部形状描述和几何参数的补充。如果几何参数与该属性所提供的形状属性不符,应以几何参数为准。对CAD等几何编辑程序,该属性应为只写类型。 -注:IFC2x4新添属性 - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external element and faces the outside of the building. - - - - - - - Außenbauteil - Is External - EstExterieur - 外部区分 - 是否外部构件 - - - Angabe, ob dieses Bauteil ein Aussenbauteil ist (JA) oder ein Innenbauteil (NEIN). Als Aussenbauteil grenzt es an den Aussenraum (oder Erdreich, oder Wasser). - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - 外部の部材かどうかを示すブーリアン値。もしTRUEの場合、外部の部材で建物の外側に面している。 - 表示该图元是否设计为外部构件。若是,则该图元为外部图元,朝向建筑物的外部。 - - - - ThermalTransmittance - Thermal transmittance coefficient (U-Value) of the element. Here the total thermal transmittance coefficient through the beam within the direction of the thermal flow (including all materials). - -Note: new property in IFC4 - - - - - - - U-Wert - Thermal Transmittance - TransmissionThermique - 熱貫流率 - 导热系数 - - - Wärmedurchgangskoeffizient (U-Wert) der Materialschichten. -Hier der Gesamtwärmedurchgangskoeffizient des Balkens (in Richtung des Wärmeflusses), angegeben ohne den inneren und äußeren Wärmeübergangswiderstand. - - Coefficient de transmission thermique surfacique (U). C'est le coefficient global de transmission thermique à travers la poutre dans la direction du flux thermique (tous matériaux inclus). Nouvelle propriété de la version 2x4. - 熱貫流率U値。 -ここでは(すべての材料を含む)梁を通した熱移動の方向における全体の熱還流率を示す。 -注:IFC2x4の新しいプロパティ - 材料的导热系数(U值)。 - -表示该梁在传热方向上的整体导热系数(包括所有材料)。 - -注:IFC2x4新添属性 - - - - LoadBearing - Indicates whether the object is intended to carry loads (TRUE) or not (FALSE). - - - - - - - Tragendes Bauteil - Load Bearing - Porteur - 耐力部材 - 是否承重 - - - Angabe, ob dieses Bauteil tragend ist (JA) oder nichttragend (NEIN) - - Indique si l'objet est censé porter des charges (VRAI) ou non (FAUX). - 荷重に関係している部材かどうかを示すブーリアン値。 - 表示该对象是否需要承重。 - - - - FireRating - Fire rating for the element. It is given according to the national fire safety classification. - - - - - - - Feuerwiderstandsklasse - Fire Rating - ResistanceAuFeu - 耐火等級 - 防火等级 - - - Feuerwiderstandasklasse gemäß der nationalen oder regionalen Brandschutzverordnung. - - Classement au feu de l'élément donné selon la classification nationale de sécurité incendie. - 主要な耐火等級。関連する建築基準法、消防法などの国家基準を参照。 - 该构件的防火等级。 -该属性的依据为国家防火安全分级。 - - - - - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de la classe IfcBeam - IfcBeam(梁)オブジェクトに関する共通プロパティセット定義。 - 所有IfcBeam实例的定义中通用的属性。 - - - - - Pset_BoilerPHistory - Boiler performance history common attributes. -WaterQuality attribute deleted in IFC2x2 Pset Addendum: Use IfcWaterProperties instead. CombustionProductsMaximulLoad and CombustionProductsPartialLoad attributes deleted in IFC2x2 Pset Addendum: Use IfcProductsOfCombustionProperties instead. - - - IfcBoiler - - IfcBoiler - - - EnergySourceConsumption - Energy consumption. - - - - - Energy Source Consumption - ConsommationSourceEnergie. - エネルギ消費量 - - - - Consommation d'énergie. - エネルギ消費量 - - - - OperationalEfficiency - Operational efficiency: boiler output divided by total energy input (electrical and fuel). - - - - - Operational Efficiency - EfficacitéOpérationnelle - 運転効率 - - - - Efficacité opérationnelle: production de la chaudière divisée par l'apport total d'énergie (électrique et combustible). - 運転効率: -全入力エネルギ(電力または燃料)でボイラ出力を割る - - - - CombustionEfficiency - Combustion efficiency under nominal condition. - - - - - Combustion Efficiency - EfficacitéCombustion - 燃焼効率 - - - - Efficacité de la combustion sous conditions nominales. - 設計条件での燃焼効率 - - - - WorkingPressure - Boiler working pressure. - - - - - Working Pressure - PressionFonctionnement - 作動圧力 - - - - Pression de fonctionnement de la chaudière. - ボイラ運転圧力 - - - - CombustionTemperature - Average combustion chamber temperature. - - - - - Combustion Temperature - TempératureCombustion - 燃焼温度 - - - - Température de combustion moyenne au foyer. - 燃焼室平均温度 - - - - PartLoadRatio - Ratio of the real to the nominal capacity. - - - - - Part Load Ratio - Taux de charge - 部分負荷比 - - - - Ratio entre capacité effective et capacité nominale - 設計容量との比 - - - - Load - Boiler real load. - - - - - Load - Charge - 負荷 - - - - Charge effective de la chaudière. - ボイラ実負荷 - - - - PrimaryEnergyConsumption - Boiler primary energy source consumption (i.e., the fuel consumed for changing the thermodynamic state of the fluid). - - - - - Primary Energy Consumption - ConsommationEnergiePrimaire - 一次エネルギ消費量 - - - - Consommation d'énergie primaire de la chaudière(c'est-à-dire le combustible consommé pour le changement d'état thermodynamique du fluide). - ボイラ一次エネルギ消費量(つまり流体の熱力学状態変更のために消費された燃料) - - - - AuxiliaryEnergyConsumption - Boiler secondary energy source consumption (i.e., the electricity consumed by electrical devices such as fans and pumps). - - - - - Auxiliary Energy Consumption - ConsommationEnergieAuxiliaire - 補助エネルギ消費量 - - - - Consommation d'énergie secondaire de la chaudière(c'est-à-dire l'électricité consommée pour les équipements électriques tels que ventilateurs et circulateurs). - ボイラ補助エネルギ消費量(つまりファンおよびポンプのような電気装置によって消費される電気) - - - - - - ボイラ性能履歴共通属性: -WaterQuality(水質属性)はIFC2x2Psetの付録で削除された:代わりにIfcWaterPropertiesを使う。 -CombustionProductsMaximulLoad と CombustionProductsPartialLoadはIFC2x2Psetの付録で削除された:代わりにIfcProductsOfCombustionPropertiesを使う - - - - - Pset_BoilerTypeCommon - Boiler type common attributes. -SoundLevel attribute deleted in IFC2x2 Pset Addendum: Use IfcSoundProperties instead. PrimaryEnergySource and AuxiliaryEnergySource attributes deleted in IFC2x2 Pset Addendum: Use IfcEnergyProperties, IfcFuelProperties, etc. instead. - - - IfcBoiler - - IfcBoiler - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - Référence - 参照記号 - - - - Identification de référence pour ce type spécifique à ce projet, c'est-à-dire type'A-1', fourni à partir du moment où, s'il n'y a pas de référence de classification par rapport à un système de classification reconnu et en usage. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Etat - 状態 - - - - Etat de l'élément, utilisé avant tout pour les projets de rénovation et réaménagement. L'état assigné peut être "Nouveau" - l'élément prévu pour du neuf, "Existant" - l'élément existait et est maintenu, "Démoli" - l'élément existait mais doit être démoli/supprimé, "Provisoire" - l'élément existera à titre provisoire seulement (comme un support structurel par exemple). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - PressureRating - Nominal pressure rating of the boiler as rated by the agency having jurisdiction. - - - - - - - Pressure Rating - PressionAdmissibleNominale - 常用圧力 - - - - Pression nominale admissible de la chaudière comme classée par l'organisme qui fait autorité. - 管轄組織により設定されたボイラの常用圧力 - - - - OperatingMode - Identifies the operating mode of the boiler. - - - - FIXED - TWOSTEP - MODULATING - OTHER - NOTKNOWN - UNSET - - - - FIXED - - Fixed - - - - - - - TWOSTEP - - Two Step - - - - - - - MODULATING - - Modulating - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Operating Mode - ModeFonctionnement - 動作モード - - - - Identifie le mode de fonctionnement de la chaudière. - ボイラの動作モードのID (固定、2段階、比例...) - - - - HeatTransferSurfaceArea - Total heat transfer area of the vessel. - - - - - - - Heat Transfer Surface Area - SurfaceEchangeChaleur - 伝熱面積 - - - - Surface totale d'échange de chaleur du foyer - 容器の伝熱部面積の合計 - - - - NominalPartLoadRatio - Allowable part load ratio range. - - - - - - - Nominal Part Load Ratio - PlageNominaleChargePartielle - 設計部分負荷比率 - - - - Plage de charge partielle admissible - 許容部分負荷比範囲 - - - - WaterInletTemperatureRange - Allowable water inlet temperature range. - - - - - - - Water Inlet Temperature Range - PlageTempératureAlimentationEau - 入口水温範囲 - - - - Plage de température de l'alimentation en eau admissible - 入口水温範囲 - - - - WaterStorageCapacity - Water storage capacity. - - - - - - - Water Storage Capacity - CapacitéRéservoirEau - 缶内水量 - - - - Capacité de réserve en eau - 缶内水量 - - - - IsWaterStorageHeater - This is used to identify if the boiler has storage capacity (TRUE). If FALSE, then there is no storage capacity built into the boiler, such as an instantaneous hot water heater. - - - - - - - Is Water Storage Heater - AvoirChauffeEau - 給湯タンク有無 - - - - Utilisé pour identifier si la chaudière une capacité de réserve en eau (VRAI). Si FAUX, alors il n'y a pas de capacité de réserve intégrée dans la chaudière, tel qu'un chauffe-eau instantané. - 給湯用の缶体があればTRUE、(瞬間湯沸かし器のように)ボイラにタンクがなければFALSE - - - - PartialLoadEfficiencyCurves - Boiler efficiency as a function of the partial load factor; E = f (partialLaodfactor). - - - - - - - - - - - - - Partial Load Efficiency Curves - CourbesEfficacitéChargePartielle - 部分負荷効率曲線 - - - - Rendement de la chaudière en fonction de la facteur de charge partielle; E= f(FacteurChargePartielle). - 部分負荷係数の関数としてのボイラ効率  E=f(部分負荷率) - - - - OutletTemperatureRange - Allowable outlet temperature of either the water or the steam. - - - - - - - Outlet Temperature Range - PlageTempératureSortie - 出口温度範囲 - - - - Température admissible de sortie de l'eau ou de la vapeur - 水または蒸気のどちらかの許容出口温度 - - - - NominalEnergyConsumption - Nominal fuel consumption rate required to produce the total boiler heat output. - - - - - - - Nominal Energy Consumption - Consommation nominale d'energie - 設計エネルギー消費量 - - - - Consommation nominale de combustible correspondant à la production nominale totale de la chaudière. - ボイラ最大能力時の設計燃料消費量 - - - - EnergySource - Enumeration defining the energy source or fuel cumbusted to generate heat. - - - - COAL - COAL_PULVERIZED - ELECTRICITY - GAS - OIL - PROPANE - WOOD - WOOD_CHIP - WOOD_PELLET - WOOD_PULVERIZED - OTHER - NOTKNOWN - UNSET - - - - COAL - - Coal - - - - - - - COAL_PULVERIZED - - Coal Pulverized - - - - - - - ELECTRICITY - - Electricity - - - - - - - GAS - - Gas - - - - - - - OIL - - Oil - - - - - - - PROPANE - - Propane - - - - - - - WOOD - - Wood - - - - - - - WOOD_CHIP - - Wood Chip - - - - - - - WOOD_PELLET - - Wood Pellet - - - - - - - WOOD_PULVERIZED - - Wood Pulverized - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Energy Source - SourceEnergie - エネルギ種別 - - - - Liste définissant les sources d'énergie ou combustibles pour générer la chaleur. - 加熱に使用する燃料のエネルギ種類 (石炭、石炭粉末、電気、ガス、油、プロパン、木材、木材チップ、木材ペレット、木粉、他) - - - - - - ボイラ型共通属性を設定します。 -SoundLevel属性はIFC2x2 psetの付録で削除された:IfcSoundPropertiesを代わりに使用します。 -一次エネルギ源と補助エネルギ源属性はIFC2x2 psetの付録で削除された:IfcEnergyProperties,IfcFuelProperties等を代わりに使用 - - - - - Pset_BoilerTypeSteam - Steam boiler type common attributes. - - - IfcBoiler/STEAM - - IfcBoiler/STEAM - - - MaximumOutletPressure - Maximum steam outlet pressure. - - - - - - - Maximum Outlet Pressure - PressionSortieAdmissible - 最大出口圧力 - - - - Pression vapeur en sortie maximale - 最大出口蒸気圧力 - - - - NominalEfficiency - The nominal efficiency of the boiler as defined by the manufacturer. For steam boilers, a function of inlet temperature versus steam pressure. Note: as two variables are used, DefiningValues and DefinedValues are null, and values are stored in IfcTable in the following order: InletTemperature(IfcThermodynamicTemperatureMeasure) and OutletTemperature(IfcThermodynamicTemperatureMeasure) in DefiningValues, and NominalEfficiency(IfcNormalisedRatioMeasure) in DefinedValues. For example, DefininfValues(InletTemp, OutletTemp), DefinedValues(null, NominalEfficiency). The IfcTable is related to IfcPropertyTableValue using IfcMetric and IfcPropertyConstraintRelationship. - - - - - - - - - - - - - Nominal Efficiency - EfficacitéNominale - - - - Efficacité nominale de la chaudière tel que définie par le constructeur. -Pour les chaudières à vapeur, une fonction de la température en entrée par rapport à la pression de vapeur. -Remarque: Comme deux variables sont utilisées ValeurDefinir et ValeursDefinies sont nulles, et les valeurs sont enregistrées dans IfcTable dans l'ordre suivant: -- TempératureEntrée (IfcThermodynamicTemperatureMeasure) et TempératureSortie (IfcThermodynamicTemperatureMeasure) dans ValeursDefinir , et EfficacitéNominale (IfcNormalisedRatioMeasure) dansValeursDefinies. -Par exemple, ValeursDefinir (TempératureEntrée, TempératureSortie), ValeursDefinies (nul, RendementNominal). -IfcTable est lié à IfcPropertyTableValue qui utilise IfcMetric et IfcPropertyConstraintRelationship. - - - - HeatOutput - Total nominal heat output as listed by the Boiler manufacturer. For steam boilers, it is a function of inlet temperature versus steam pressure. Note: as two variables are used, DefiningValues and DefinedValues are null, and values are stored in IfcTable in the following order: InletTemperature(IfcThermodynamicTemperatureMeasure) and OutletTemperature(IfcThermodynamicTemperatureMeasure) in DefiningValues, and HeatOutput(IfcEnergyMeasure) in DefinedValues. For example, DefiningValues(InletTemp, OutletTemp), DefinedValues(null, HeatOutput). The IfcTable is related to IfcPropertyTableValue using IfcMetric and IfcPropertyConstraintRelationship. - - - - - - - - - - - - - Heat Output - RendementChaleur - - - - Rendement total nominal tel que défini par le constructeur de chaudière. -Pour les chaudières à vapeur, une fonction de la température en entrée par rapport à la pression de vapeur. -Remarque: Comme deux variables sont utilisées ValeurDefinir et ValeursDefinies sont nulles, et les valeurs sont enregistrées dans IfcTable dans l'ordre suivant: -- TempératureEntrée (IfcThermodynamicTemperatureMeasure) et TempératureSortie (IfcThermodynamicTemperatureMeasure) dans ValeursDefinir , et Rendement de chaleur (IfcEnergyMeasure) dansValeursDefinies. -Par exemple, ValeursDefinir (TempératureEntrée, TempératureSortie), ValeursDefinies (nul, RendementChaleur). -IfcPropertyTable est lié à IfcMetric qui utilise IfcMetric et IfcPropertyConstraintRelationship. - - - - - - 蒸気ボイラタイプ共通属性 - - - - - Pset_BoilerTypeWater - Water boiler type common attributes. - - - IfcBoiler/WATER - - IfcBoiler/WATER - - - NominalEfficiency - The nominal efficiency of the boiler as defined by the manufacturer. For water boilers, a function of inlet versus outlet temperature. Note: as two variables are used, DefiningValues and DefinedValues are null, and values are stored in IfcTable in the following order: InletTemperature(IfcThermodynamicTemperatureMeasure), OutletTemperature(IfcThermodynamicTemperatureMeasure), NominalEfficiency(IfcNormalizedRatioMeasure). The IfcTable is related to IfcPropertyTableValue using IfcMetric and IfcPropertyConstraintRelationship. - - - - - - - - - - - - - Nominal Efficiency - EfficacitéNominale - - - - Efficacité nominale de la chaudière tel que définie par le constructeur. -Pour les chaudières à eau chaude, une fonction de la température en entrée par rapport à la température de sortie. -Remarque: Comme deux variables sont utilisées ValeurDefinir et ValeursDefinies sont nulles, et les valeurs sont enregistrées dans IfcTable dans l'ordre suivant: -- TempératureEntrée (IfcThermodynamicTemperatureMeasure) et TempératureSortie (IfcThermodynamicTemperatureMeasure) dans ValeursDefinir , et EfficacitéNominale (IfcNormalisedRatioMeasure) dansValeursDefinies. -IfcTable est lié à IfcPropertyTableValue qui utilise IfcMetric et IfcPropertyConstraintRelationship. - - - - HeatOutput - Total nominal heat output as listed by the Boiler manufacturer. For water boilers, it is a function of inlet versus outlet temperature. For steam boilers, it is a function of inlet temperature versus steam pressure. Note: as two variables are used, DefiningValues and DefinedValues are null, and values are stored in IfcTable in the following order: InletTemperature(IfcThermodynamicTemperatureMeasure), OutletTemperature(IfcThermodynamicTemperatureMeasure), HeatOutput(IfcEnergyMeasure). The IfcTable is related to IfcPropertyTableValue using IfcMetric and IfcPropertyConstraintRelationship. - - - - - - - - - - - - - Heat Output - RendementChaleur - - - - Rendement total nominal tel que défini par le constructeur de chaudière. -Pour les chaudières à eau chaude, une fonction de la température en entrée par rapport à la température de sortie. -Remarque: Comme deux variables sont utilisées ValeurDefinir et ValeursDefinies sont nulles, et les valeurs sont enregistrées dans IfcTable dans l'ordre suivant: -- TempératureEntrée (IfcThermodynamicTemperatureMeasure) et TempératureSortie (IfcThermodynamicTemperatureMeasure) dans ValeursDefinir , et Rendement de chaleur (IfcEnergyMeasure) dansValeursDefinies. -IfcPropertyTable est lié à IfcMetric qui utilise IfcMetric et IfcPropertyConstraintRelationship. - - - - - - - - - - Pset_BuildingCommon - Properties common to the definition of all instances of IfcBuilding. Please note that several building attributes are handled directly at the IfcBuilding instance, the building number (or short name) by IfcBuilding.Name, the building name (or long name) by IfcBuilding.LongName, and the description (or comments) by IfcBuilding.Description. Actual building quantities, like building perimeter, building area and building volume are provided by IfcElementQuantity, and the building classification according to national building code by IfcClassificationReference. - - - IfcBuilding - - IfcBuilding - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). Used to store the non-classification driven internal project type. - - - - - - - Referenz ID - Reference - Reference - 参照記号 - 참조 ID - - - Identifikator der projektinternen Referenz für dieses Gebäude, z.B. nach der Gebäudelassifizierung des Bauherrn. Wird verwendet, wenn keine allgemein anerkanntes Klassifizierungssystem angewandt wird. - - Référence à l'identifiant d'un type spécifié dans le contexte de ce projet (exemple : "type A1"). A fournir s'il n'y a pas de référence à une classification en usage. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 이 프로젝트의 참조 ID (예 : A-1). 분류 코드가 아닌 내부에서 사용되는 프로젝트 형식으로 사용됩니다. - - - - BuildingID - A unique identifier assigned to a building. A temporary identifier is initially assigned at the time of making a planning application. This temporary identifier is changed to a permanent identifier when the building is registered into a statutory buildings and properties database. - - - - - - - Gebäudekennzeichen - Building ID - IdBatiment - 建物記号 - 건물 ID - - - Gebäudekennzeichen dieses Gebäudes. Während der Baueingabe ist es das temporäre Kennzeichnen des Bauantrags. - - Un identifiant unique attribué au bâtiment. Un identifiant temporaire est attribué au moment de la programmation. Il est ensuite remplacé par un identifiant permanent lorsque le bâtiment est enregistré dans une base de données de nature règlementaire. - 建物に付与されるユニークな識別子。計画要請の際に使用される初期の一時的な識別子。この一時的な識別子は、建物が正式に登録された際に恒久的な識別子へと変更される。 - 건물에 부여되는 고유 식별자이다. 계획 요청시 사용되는 초기 임시 식별자이다. 이 임시 식별자는 건물이 정식으로 등록된 경우에 영구적인 식별자로 변경된다. - - - - IsPermanentID - Indicates whether the identity assigned to a building is permanent (= TRUE) or temporary (=FALSE). - - - - - - - Gebäudekennzeichen permanent - Is Permanent ID - IdPermanent - 永久ID区分 - 영구 ID 구분 - - - Angabe, on das angegebene Gebäudekennzeichen permanent ist (TRUE), oder eine temporäre Antragsnummer (FALSE). - - Indique si l'identifiant attribuée au bâtiment est permanent (=VRAI) ou temporaire (=FAUX). - 建物IDが恒久的なIDかどうかのブーリアン値。 - 건물 ID가 영구적인 ID 여부값 - - - - ConstructionMethod - The type of construction action to the building, the project deals with, e.g. new construction, renovation, refurbishment, etc. - - - - - - - Art der Ausführung - Construction Method - RisqueIncendieUsagePrincipal - 工事種別 - 공사 종류 - - - Wesentliche Art der Projektausführung (Neubau, Umbau, Ertüchtigung, etc.) - - Le type d'intervention sur le bâtiment : construction neuve, rénovation, réhabilitation, etc. - 工事におけるタイプ。例:新築・リノベーション・改装等。 - 공사의 유형. 예 : 신축 리노베이션 · 개장 등. - - - - FireProtectionClass - Main fire protection class for the building which is assigned from the fire protection classification table as given by the relevant national building code. - - - - - - - Gebäudeklasse Brandschutz - Fire Protection Class - RisqueIncendieUsageSecondaire - 耐火等級 - 방화 등급 - - - Zugewiesene Gebäudeklasse nach der nationalen Brandschutzverordnung. - - Classe principale de protection contre le risque incendie, selon la réglementation nationale. - 主要な防火等級。関連する建築基準法、消防法などの国家基準を参照。 - 주요 방화 등급. 관련 건축 기준법, 소방법 등의 국가 표준을 참조하십시오. - - - - SprinklerProtection - Indication whether this object is sprinkler protected (TRUE) or not (FALSE). - - - - - - - Sprinklerschutz - Sprinkler Protection - ProtectionParSprinkler - スプリンクラー防御 - 스프링 클러 방어 - - - Angabe, ob das Gebäude durch eine Sprinkleranlage geschützt wird (WAHR) oder nicht (FALSCH). - - Indication selon laquelle ce bâtiment bénéficie d'une protection par sprinkler (VRAI) ou non (FAUX). - スプリンクラー設備の有無を示すブーリアン値。 - 스프링 클러 설비의 유무를 나타내는 값 - - - - SprinklerProtectionAutomatic - Indication whether this object has an automatic sprinkler protection (TRUE) or not (FALSE). - - - - - - - Sprinklerschutz automatisch - Sprinkler Protection Automatic - ProtectionAutomatiqueParSprinkler - スプリンクラー防御自動区分 - 스프링 클러 방어 자동 구분 - - - Angabe, ob das Gebäude durch eine automatische Sprinkleranlage geschützt wird (WAHR) oder nicht (FALSCH). - - Indication selon laquelle ce bâtiment bénéficie d'une protection automatique par sprinkler (VRAI) ou non (FAUX). - スプリンクラー設備が自動かどうか示すブーリアン値。 - 스프링 클러 설비가 자동 여부를 나타내는 값 - - - - OccupancyType - Occupancy type for this object. -It is defined according to the presiding national building code. - - - - - - - Nutzungsart - Occupancy Type - TypeOccupation - 占有者タイプ - 점유자 유형 - - - Hauptnutzungsart des Gebäudes (Schulbau. Kaufhaus, etc.). Wird verwendet, wenn keine allgemein anerkanntes Klassifizierungssystem angewandt wird. - - Type d'occupation. Est défini selon le Code National en vigueur. - 占有者のタイプ。建築基準法に準拠。 - 점령 자의 유형. 건축 기준법을 준수합니다. - - - - GrossPlannedArea - Total planned gross area for the building Used for programming the building. - - - - - - - Bruttofläche nach Raumprogramm - Gross Planned Area - Surface programmée brute - 計画グロス面積 - 계획 그로스 면적 - - - Geforderte Bruttofläche des Gebäudes laut Raumprogramm. - - Surface programmée brute totale du bâtiment. Telle que définie lors de la programmation. - 計画されたグロス面積。建物計画に際に使用。 - 계획된 그로스 면적. 건물 계획시 사용됩니다. - - - - NetPlannedArea - Total planned net area for the building Used for programming the building. - - - - - - - Nettofläche nach Raumprogramm - Net Planned Area - Surface programmée nette - 計画ネット面積 - - - Geforderte Nettofläche des Gebäudes laut Raumprogramm. - - Surface programmée nette totale du bâtiment. Telle que définie lors de la programmation. - 計画されたネット面積。建物計画に際に使用。(通常は、柱型等を抜いた面積となる) - - - - NumberOfStoreys - The number of storeys within a building. -Captured for those cases where the IfcBuildingStorey entity is not used. Note that if IfcBuilingStorey is asserted and the number of storeys in a building can be determined from it, then this approach should be used in preference to setting a property for the number of storeys. - - - - - - - Geschossanzahl - Number Of Storeys - NombreNiveaux - 階数 - 층 수 - - - Anzahl der Vollgeschosse des Gebäudes. - -Dieses Attribute soll nur dann eingefügt werden, wenn keine Geschosse als Objekte, IfcBuildingStorey, beinhaltet sind. Bei Unstimmigkeiten hat die Anzahl der IfcBuildingStorey Objekte Priorität. - - Le nombre de niveaux dans un bâtiment, à indiquer lorsque la classe IfcBuildingStorey n'est pas utilisée. Il est préférable de créer des instances d'IfcBuildingStorey et d'en déduire le nombre de niveaux plutôt que de saisir cette propriété. - 建物階の数。IfcBuildingStoreyの数とは関係なく扱う。 - 건물 층 수. IfcBuildingStorey 수와 관계없이 취급한다. - - - - YearOfConstruction - Year of construction of this building, including expected year of completion. - - - - - - - Baujahr - Year Of Construction - AnneeConstruction - 施工年 - 시공 년 - - - Jahr der Errichtung des Gebäudes, einschließliich des Jahres der geplanten Fertigstellung. - - Année de construction de ce bâtiment, incluant l'année de parfait achèvement. - 施工の年。竣工の予想年も含む。 - 시공 년. 준공 예정 년 포함한다. - - - - YearOfLastRefurbishment - Year of last major refurbishment, or reconstruction, of the building (applies to reconstruction works). - - - - - - - letztes Renovierungsjahr - Year Of Last Refurbishment - Année de la dernière rénovation - - - Jahr der letzten Renovierung des Gebäudes. - - Année de la dernière rénovation majeure ou de la reconstruction du bâtiment. - - - - IsLandmarked - This builing is listed as a historic building (TRUE), or not (FALSE), or unknown. - - - - - - - Denkmalschutz - Is Landmarked - ClasseMonumentHistorique - ランドマーク区分 - 랜드마크 구분 - - - Angabe, ob das Gebäude dem Denkmalschutz unterliegt (WAHR) oder nicht (FALSCH). - - Indique si le bâtiment est classé aux monuments historiques (VRAI) ou non (FAUX), ou si l'information n'est pas connue. - この建物は歴史的な建物かどうかを示すブーリアン値。 - 이 건물은 역사적인 건물 있는지 여부를 나타내는 값 - - - - - Property Set Definition in German - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de la classe IfcBuilding. Veuillez noter que plusieurs attributs sont portés directement par l'instance IfcBuilding : le numéro du bâtiment ou nom court (IfcBuilding.Name), le nom ou nom long (IfcBuilding.LongName), et la description ou des commentaires (IfcBuilding.Description). Les quantités réelles du site comme le périmètre, la superficie et le volume du bâtiment sont fournis par des instances de IfcElementQuantity, et la référence à une classification nationale par IfcClassificationReference. - IfcBuildingオブジェクトに関する共通プロパティセット定義。建物ナンバーはIfcBuilding.Name、建物名称はIfcBuilding.LondName、そして記述またはコメントはIfcBuilding.Descriptionで設定する。実際の建物に関する数量、例えば建物周囲長、建物面積、建物体積等はIfcElementQuantityで設定する。また、建築基準法の建物分類に関しては、IfcClassificationReferenceで設定する。 - - - - - Pset_BuildingElementProxyCommon - Properties common to the definition of all instances of IfcBuildingElementProxy. - - - IfcBuildingElementProxy - - IfcBuildingElementProxy - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Bauteiltyp - Reference - Référence - 参照記号 - 参考号 - - - Bezeichnung zur Zusammenfassung gleichartiger Bauteile zu einem Bauteiltyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1") pour désigner un "type de construction". Une alternative au nom d'un objet type lorsque les objets types ne sont pas gérés par le logiciel. - 認識された分類体系で参照する分類がない場合にこのプロジェクト固有の参照記号(例:タイプ'A-1')が与えられる。 - 若未采用已知的分类系统,则该属性为该项目中该类型构件的参考编号(例如,类型A-1)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external element and faces the outside of the building. - - - - - - - Außenbauteil - Is External - Est extérieur - 外部区分 - 是否外部构件 - - - Angabe, ob dieses Bauteil ein Aussenbauteil ist (JA) oder ein Innenbauteil (NEIN). Als Aussenbauteil grenzt es an den Aussenraum (oder Erdreich, oder Wasser). - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - 外部の部材かどうかを示すブーリアン値。もしTRUEの場合、外部の部材で建物の外側に面している。 - 表示该图元是否设计为外部构件。若是,则该图元为外部图元,朝向建筑物的外部。 - - - - ThermalTransmittance - Thermal transmittance coefficient (U-Value) of the element. It is the total thermal transmittance coefficient through the building element proxy within the direction of the thermal flow (including all materials). - -Note: new property in IFC4 - - - - - - - U-Wert - Thermal Transmittance - Transmission thermique surfacique - 熱貫流率 - 导热系数 - - - Wärmedurchgangskoeffizient (U-Wert) der Materialschichten. Angegeben wird der Gesamtwärmedurchgangskoeffizient des Proxy-Elements (in Richtung des Wärmeflusses), ohne den inneren und äußeren Wärmeübergangswiderstand. - - Coefficient de transmission thermique surfacique (U). C'est le coefficient global de transmission thermique à travers l'élément dans la direction du flux thermique (tous matériaux inclus). Nouvelle propriété de la version 2x4. - 熱貫流率U値。ここではオブジェクトを通した熱移動の方向における全体の熱還流率を示す。 - 材料的导热系数(U值)。 -表示该烟囱在传热方向上的整体导热系数(包括所有材料)。 -注:IFC2x4新添属性 - - - - LoadBearing - Indicates whether the object is intended to carry loads (TRUE) or not (FALSE). - - - - - - - Tragendes Bauteil - Load Bearing - Porteur - 耐力部材 - 是否承重 - - - Angabe, ob dieses Bauteil tragend ist (JA) oder nichttragend (NEIN) - - Indique si l'objet est censé porter des charges (VRAI) ou non (FAUX). - 荷重に関係している部材かどうかを示すブーリアン値。 - 表示该对象是否需要承重。 - - - - FireRating - Fire rating for the element. -It is given according to the national fire safety classification. - - - - - - - Feuerwiderstandsklasse - Fire Rating - Résistance au feu - 耐火等級 - 防火等级 - - - Feuerwiderstandasklasse gemäß der nationalen oder regionalen Brandschutzverordnung. - - Classement au feu de l'élément donné selon la classification nationale de sécurité incendie. - 主要な耐火等級。関連する建築基準法、消防法などの国家基準を参照。 - 该构件的防火等级。 -该属性的依据为国家防火安全分级。 - - - - - - IfcBuildingElementProxyの共通プロパティ情報を定義。明確なオブジェクトタイプが特定できないオブジェクトは、このIfcBuildingElementProxyオブジェクトで表現する。所謂代理(プロキシ)オブジェクト。 - 所有IfcBuildingElementProxy实例的定义中通用的属性。 - - - - - Pset_BuildingElementProxyProvisionForVoid - Properties common to the definition of a provision for void as a special type of an instance of IfcBuildingElementProxy. A provision for void is a spatial provision that might be resolved into a void in a building element. The properties carry requested values. - - - IfcBuildingElementProxy/PROVISIONFORVOID - - IfcBuildingElementProxy/PROVISIONFORVOID - - - Shape - The shape form of the provision for void, the minimum set of agreed values includes 'Rectangle', 'Round', and 'Undefined'. - - - - - - - Form - Shape - Forme - 形状 - 形状 - - - Anforderung an die Form des Durchbruchs, vordefinierte Werte sind "Rechteck", "Rund", und "Nicht definiert". - - La forme de la réservation. L'ensemble des valeurs autorisées contient au moins "Rectangle", "Round" et "Undefined". - 空間の形状を定義します。少なくとも「四角形」、「円」、「未定義」の値を含みます。 - 空构件的形状,当前得到认可的值至少包括“矩形”、“圆形”及“未定义”。 - - - - Width - The requested width (horizontal extension in elevation) of the provision for void, only provided if the Shape property is set to "rectangle". - - - - - - - Breite - Width - Largeur - - 宽度 - - - Geforderte Breite des Durchbruchs, wird nur dann angegeben, wenn der Wert des Attributes "Form" gleich "Rechteck" ist. - - La largeur requise de la réservation (extension horizontale en élévation). Fournie seulement si la propriété Forme a pour valeur "Rectangle". - 空間の幅(高さにおける水平方向の拡張)を求める定義です。「四角形」の形状プロパティのみ提示されます。 - 空构件的宽度(在立面图中水平方向的长度),仅当“形状”属性为“矩形”时适用。 - - - - Height - The requested height (vertical extension in elevation) of the provision for void", only provided if the Shape property is set to "rectangle". - - - - - - - Höhe - Height - Hauteur - 高さ - 高度 - - - Geforderte Höhe des Durchbruchs, wird nur dann angegeben, wenn der Wert des Attributes "Form" gleich "Rechteck" ist. - - La hauteur requise de la réservation (extension verticale en élévation). Fournie seulement si la propriété Forme a pour valeur "Rectangle". - 空間の高さ(高さにおける垂直方向の拡張)を求める定義です。「四角形」の形状プロパティのみ提示されます。 - 空构件的高度(在立面图中竖直方向的长度),仅当“形状”属性为“矩形”时适用。 - - - - Diameter - The requested diameter (in elevation) of the provision for void, only provided if the Shape property is set to "round". - - - - - - - Durchmesser - Diameter - Diamètre - 直径 - 直径 - - - Geforderte Durchmesser des Durchbruchs, wird nur dann angegeben, wenn der Wert des Attributes "Form" gleich "Rund" ist. - - Le diamètre requis de la réservation (en élévation). Fournie seulement si la propriété Forme a pour valeur "Round". - 空間における直径(高さにおける)を求める定義です。「円」形状プロパティのみに提示されます。 - 空构件的直径(在立面图中),仅当“形状”属性为“圆形”时适用。 - - - - Depth - The requested depth or thickness of the provision for void. - - - - - - - Tiefe - Depth - Profondeur - 深さ - 深度 - - - Geforderte Tiefe des Durchbruchs für eine Nische oder Aussparung. Wenn nicht angegeben, dann ist der geforderte Durchbruch eine Durchbruchsöffnung. - - La profondeur requise ou épaisseur de la réservation. - 空間の厚さに対しての深さが提示されます。 - 空构件的深度或厚度。 - - - - System - he building service system that requires the provision for voids, e.g. 'Air Conditioning', 'Plumbing', 'Electro', etc. - - - - - - - Anlage - System - Système - システム - 系统 - - - Angabe zu welcher Anlage (oder Anlagen) der Durchbruch benötigt wird. - - Le système qui requiert la réservation (exemples : "Conditionnement d'air", "Plomberie", "Electricité") - 空間に提示される建物サービスシステムです。例えば「空調」「配管」「電気」です。 - 需要空构件的建筑服务系统,例如,“空调”、“给排水”、“电气”等。 - - - - - - IfcBuildingElementProxyオブジェクトを使用して空間の取り合いにおける穴の位置を提案する際に必要な共通プロパティ情報を定義。 - 所有作为IfcBuildingElementProxy特例的空构件的定义中通用的属性。空构件是一种特殊的构件,可用以挖空其他建筑构件。其属性仅含特定的值。 - - - - - Pset_BuildingStoreyCommon - Properties common to the definition of all instances of IfcBuildingStorey. Please note that several building attributes are handled directly at the IfcBuildingStorey instance, the building storey number (or short name) by IfcBuildingStorey.Name, the building storey name (or long name) by IfcBuildingStorey.LongName, and the description (or comments) by IfcBuildingStorey.Description. Actual building storey quantities, like building storey perimeter, building storey area and building storey volume are provided by IfcElementQuantity, and the building storey classification according to national building code by IfcClassificationReference. - - - IfcBuildingStorey - - IfcBuildingStorey - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). Used to store the non-classification driven internal project type. - - - - - - - Referenz ID - Reference - Reference - 参照記号 - 참조 ID - - - Identifikator der projektinternen Referenz für dieses Geschoss, z.B. nach der Geschossklassifizierung des Bauherrn. Wird verwendet, wenn keine allgemein anerkanntes Klassifizierungssystem angewandt wird. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1"). Utilisé pour enregistrer un type sans recourir à une classification. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 이 프로젝트의 참조 ID (예 : A-1). 분류 코드가 아닌 내부에서 사용되는 프로젝트 형식으로 사용됩니다. - - - - EntranceLevel - Indication whether this building storey is an entrance level to the building (TRUE), or (FALSE) if otherwise. - - - - - - - Eingangsebene - Entrance Level - NiveauEntrée - エントランスレベル - 입구 레벨 - - - Angabe, ob der Gebäudeeingang sich in diesem Geschoss befinded (WAHR), oder nicht (FALSCH). - - Indication si l'étage est au niveau d'une entrée (VRAI) ou non (FAUX) - エントランスレベルかどうかを示すブーリアン値。 - 입구 레벨 여부를 나타내는 값 - - - - AboveGround - Indication whether this building storey is fully above ground (TRUE), or below ground (FALSE), or partially above and below ground (UNKNOWN) - as in sloped terrain. - - - - - - - Oberirdisches Geschoss - Above Ground - AuDessusSol - 地上判別 - 지상 여부 - - - Angabe, ob dieses Geschoss vollständig überhalb oberirdisch ist (WAHR), vollständig unterirdisch (FALSCH), oder teilweise unter- und überirdisch (UNKNOWN). - - Indication si l'étage est complètement au dessus du niveau du sol (VRAI), au dessous du niveau du sol (FAUX) ou partiellement enterré (INCONNU) comme dans le cas d'un terrain en pente. - この建物階が地上(TRUE)、地下(FALSE)、一部が地下部分(UNKOWN)かどうかを示すロジカル値。 - 이 건물 층이 지상 (TRUE), 지하 (FALSE), 일부 지하 부분 (UNKOWN) 여부를 나타내는 논리 값. - - - - SprinklerProtection - Indication whether this object is sprinkler protected (TRUE) or not (FALSE). - - - - - - - Sprinklerschutz - Sprinkler Protection - ProtectionParSprinkler - スプリンクラー防御 - 스프링 클러 방어 - - - Angabe, ob des Geschoss durch eine Sprinkleranlage geschützt wird (WAHR) oder nicht (FALSCH). - - Indication selon laquelle ce bâtimentbénéficie d'une protection par sprinkler (VRAI) ou non (FAUX) - スプリンクラー設備の有無を示すブーリアン値。 - 스프링 클러 설비의 유무를 나타내는 값 - - - - SprinklerProtectionAutomatic - Indication whether this object has an automatic sprinkler protection (TRUE) or not (FALSE). -It should only be given, if the property "SprinklerProtection" is set to TRUE. - - - - - - - Sprinklerschutz automatisch - Sprinkler Protection Automatic - ProtectionAutomatiqueParSprinkler - スプリンクラー防御自動区分 - 스프링 클러 방어 자동 구분 - - - Angabe, ob das Geschoss durch eine automatische Sprinkleranlage geschützt wird (WAHR) oder nicht (FALSCH). - - Indication selon laquelle ce bâtiment bénéficie d'une protection automatique par sprinkler (VRAI) ou non (FAUX). Indication à ne fournir que si la propriété "SprinklerProtection" est cochée "VRAI". - スプリンクラー設備が自動かどうか示すブーリアン値。 - 스프링 클러 설비가 자동 여부를 나타내는 값 - - - - LoadBearingCapacity - Maximum load bearing capacity of the floor structure throughtout the storey as designed. - - - - - - - Deckentragfähigkeit - Load Bearing Capacity - Capacité porteuse - - - Maximale Deckentragfähigkeit in diesem Geschoss. - - Capacité porteuse maximale de la structure du plancher tel que conçu pour cet étage. - - - - GrossPlannedArea - Total planned area for the building storey. Used for programming the building storey. - - - - - - - Bruttofläche nach Raumprogramm - Gross Planned Area - Surface programmée brute - 計画グロス面積 - 계획 그로스 면적 - - - Geforderte Bruttofläche des Geschosses laut Raumprogramm. - - Surface programmée brute totale de l'étage. Telle que définie lors de la programmation. - 計画された建物階のグロス面積。建物計画に際に使用。 - 계획된 건물 층 그로스 면적. 건물 계획시 사용됩니다. - - - - NetPlannedArea - Total planned net area for the building storey. Used for programming the building storey. - - - - - - - Nettofläche nach Raumprogramm - Net Planned Area - Surface programmée nette - 計画ネット面積 - 계획 인터넷 면적 - - - Geforderte Nettofläche des Geschosses laut Raumprogramm. - - Surface programmée nette totale de l'étage. Telle que définie lors de la programmation. - 計画された建物階のネット面積。建物計画の際に使用。 - 계획된 건물 층 인터넷 공간이 있습니다. 건물 계획시 사용됩니다. - - - - - Property Set Definition in German - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de IfcBuildingStorey. Veuillez noter que plusieurs attributs sont portés par l'instance IfcBuildingStorey : le numéro de l'étage ou nom court (IfcBuildingStorey.Name), le nom ou nom long (IfcBuildingStorey.LongName), et la description ou des commentaires (IfcBuildingStorey.Description). Les quantités réelles de l'étage comme le périmètre, la superficie et le volume sont fournis par des instances de IfcElementQuantity et la référence à une classification nationale par IfcClassificationReference. - IfcBuildinStorey(建物階)に関するプロパティセット定義。建物階ナンバーはIfcBuildingStorey.Name、建物階名称はIfcBuildingStorey.LongName、建物階に関する記述はIfcBuildingStorey.Descriptionで設定する。実際の建物階に関する数量、例えば建物階周囲長、建物階面積、建物階体積等はIfcElementQuantitiesで設定する。また、建築基準法の建物階分類に関しては、IfcClassificationReferenceで設定する。 - - - - - Pset_BuildingSystemCommon - Properties common to the definition of building systems. - - - IfcBuildingSystem - - IfcBuildingSystem - - - Reference - Reference ID for this specified instance of building system in this project (e.g. 'TRA/EL1'), The reference values depend on the local code of practice. - - - - - - - Kennzeichen - Reference - 参照記号 - 参考号 - - - Kennzeichen für diese bauliche System in dem Projekt (z.B. 'TRA/EL1'). Die Kennzeichensystematik hängt von den jeweiligen nationalen/regionalen Regelungen ab. - - このプロジェクトにおける建物システムの指定されたインスタンスの参照記号 - 该项目中该特定建筑系统实例的参考编号(例如,“TRA/EL1”)。该属性值由当地编码规范决定。 - - - - - - 建物システムの共通プロパティ定義 - 所有建筑系统的定义中通用的属性。 - - - - - Pset_BuildingUse - Provides information on on the real estate context of the building of interest both current and anticipated. - - - IfcBuilding - - IfcBuilding - - - MarketCategory - Category of use e.g. residential, commercial, recreation etc. - - - - - - - Market Category - CategorieMarche - - - - Catégorie d'usage (résidentiel, commercial, loisir,…) - - - - MarketSubCategory - Subset of category of use e.g. multi-family, 2 bedroom, low rise. - - - - - - - Market Sub Category - SousCategorieMarche - - - - Sous catégorie d'usage (exemple : collectif, deux pièces,…) - - - - PlanningControlStatus - Label of zoning category or class, or planning control category for the site or facility. - - - - - - - Planning Control Status - EtatPlanningControle - - - - Catégorie de zone ou classe, ou catégorie relativement à un planning de contrôle pour le site ou l'ensemble immobilier. - - - - NarrativeText - Added information relating to the adjacent building use that is not appropriate to the general descriptive text associated with an entity through the inherited IfcRoot.Description. - - - - - - - Narrative Text - TexteLibre - - - - Information relative aux bâtiments voisins qui n'est pas appropriée au texte d'ordre général que l'on peut saisir dans l'attribut hérité IfcRoot.Description. - - - - VacancyRateInCategoryNow - Percentage of vacancy found in the particular category currently. - - - - - - - Vacancy Rate In Category Now - TauxVacanceActuelParCategorie - - - - Taux actuel de vacance pour la catégorie. - - - - TenureModesAvailableNow - A list of the tenure modes that are currently available expressed in terms of IfcLabel. - - - - - - - - - Tenure Modes Available Now - PossibilitesOccupationActuelles - - - - Liste des possibilités d'occupation actuelles. - - - - MarketSubCategoriesAvailableNow - A list of the sub categories of property that are currently available expressed in terms of IfcLabel. - - - - - - - - - Market Sub Categories Available Now - DisponibilitesActuellesParSousCategories - - - - Liste de sous catégories actuellement disponibles - - - - RentalRatesInCategoryNow - Range of the cost rates for property currently available in the required category. - - - - - - - Rental Rates In Category Now - PrixActuelLoyerParCategorie - - - - Prix actuel des loyers pour la catégorie considérée. - - - - VacancyRateInCategoryFuture - Percentage of vacancy found in the particular category expected in the future. - - - - - - - Vacancy Rate In Category Future - TauxVacanceFuturParCategorie - - - - Taux de vacance attendu dans le futur pour la catégorie. - - - - TenureModesAvailableFuture - A list of the tenure modes that are expected to be available in the future expressed in terms of IfcLabel. - - - - - - - - - Tenure Modes Available Future - PossibilitesOccupationFutures - - - - Liste des possibilités d'occupation futures. - - - - MarketSubCategoriesAvailableFuture - A list of the sub categories of property that are expected to be available in the future expressed in terms of IfcLabel. - - - - - - - - - Market Sub Categories Available Future - DisponibilitesFuturesParSousCategories - - - - Liste de sous catégories disponibles dans le futur. - - - - RentalRatesInCategoryFuture - Range of the cost rates for property expected to be available in the future in the required category. - - - - - - - Rental Rates In Category Future - PrixFuturLoyerParCategorie - - - - Prix futur des loyers pour la catégorie considérée. - - - - - - Définition de l'IAI : information sur le contexte immobilier actuel et futur du bâtiment considéré. - - - - - Pset_BuildingUseAdjacent - Provides information on adjacent buildings and their uses to enable their impact on the building of interest to be determined. Note that for each instance of the property set used, where there is an existence of risk, there will be an instance of the property set Pset_Risk (q.v). - - - IfcBuilding - - IfcBuilding - - - MarketCategory - Category of use e.g. residential, commercial, recreation etc. - - - - - - - Market Category - CategorieUsage - - - - Catégorie d'usage (résidentiel, commercial, loisir,…) - - - - MarketSubCategory - Subset of category of use e.g. multi-family, 2 bedroom, low rise. - - - - - - - Market Sub Category - SousCategorieUsage - - - - Sous catégorie d'usage. - - - - PlanningControlStatus - Label of zoning category or class, or planning control category for the site or facility. - - - - - - - Planning Control Status - EtatPlanningControle - - - - Catégorie de zone ou classe, ou catégorie relativement à un planning de contrôle pour le site ou l'ensemble immobilier. - - - - NarrativeText - Added information relating to the adjacent building use that is not appropriate to the general descriptive text associated with an entity through the inherited IfcRoot.Description. - - - - - - - Narrative Text - CommentaireUsage - - - - Information sur l'usage des bâtiments voisins - - - - - - Définition de l'IAI : information sur les bâtiments voisins et sur leur usage pour apprécier leur impact sur le bâtiment auquel on s'intéresse. Veuillez noter que pour chaque instance de ce jeu de propriétés, dès lors qu'un risque existe, il doit exister une instance du jeu de propriétés Pset_Risk (q.v). - - - - - Pset_BurnerTypeCommon - Common attributes of burner types. - - - IfcBurner - - IfcBurner - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - Référence - 参照記号 - - - - Identification de référence pour ce type spécifique à ce projet, c'est-à-dire type'A-1', fourni à partir du moment où, s'il n'y a pas de référence de classification par rapport à un système de classification reconnu et en usage. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Etat - 状態 - - - - Etat de l'élément, utilisé avant tout pour les projets de rénovation et réaménagement. L'état assigné peut être "Nouveau" - l'élément prévu pour du neuf, "Existant" - l'élément existait et est maintenu, "Démoli" - l'élément existait mais doit être démoli/supprimé, "Provisoire" - l'élément existera à titre provisoire seulement (comme un support structurel par exemple). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - EnergySource - Enumeration defining the energy source or fuel cumbusted to generate heat. - - - - COAL - COAL_PULVERIZED - ELECTRICITY - GAS - OIL - PROPANE - WOOD - WOOD_CHIP - WOOD_PELLET - WOOD_PULVERIZED - OTHER - NOTKNOWN - UNSET - - - - COAL - - Coal - - - - - - - COAL_PULVERIZED - - Coal Pulverized - - - - - - - ELECTRICITY - - Electricity - - - - - - - GAS - - Gas - - - - - - - OIL - - Oil - - - - - - - PROPANE - - Propane - - - - - - - WOOD - - Wood - - - - - - - WOOD_CHIP - - Wood Chip - - - - - - - WOOD_PELLET - - Wood Pellet - - - - - - - WOOD_PULVERIZED - - Wood Pulverized - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Energy Source - SourceEnergie - エネルギ源 - - - - Liste définissant les sources d'énergie ou combustibles pour générer la chaleur. - 加熱に使用する燃料のエネルギ種類 (石炭、石炭粉末、電気、ガス、油、プロパン、木材、木材チップ、木材ペレット、木粉、他) - - - - - - バーナータイプの共通属性 - - - - - Pset_CableCarrierFittingTypeCommon - Common properties for cable carrier fittings. HISTORY: Added in IFC4. - - - IfcCableCarrierFitting - - IfcCableCarrierFitting - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - 当該プロジェクトで定義する形式の参照ID(例:A-1)、承認された分類に存在しないときに使用される。 - 해당 프로젝트에 정의된 형식의 참조 ID (예 : A-1) 승인된 분류에 존재하지 않을 때 사용된다. 참조 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - ケーブルキャリアの共通プロパティを定義。 - - - - - Pset_CableCarrierSegmentTypeCableLadderSegment - An open carrier segment on which cables are carried on a ladder structure. -HISTORY: IFC4 - NominalLength deleted. To be handled as a quantity measure. - - - IfcCableCarrierSegment/CABLELADDERSEGMENT - - IfcCableCarrierSegment/CABLELADDERSEGMENT - - - NominalWidth - The nominal width of the segment. - - - - - - - Nominal Width - 公称幅 - 공칭 폭 - - - - 呼び幅寸法。 - 폭 치수. - - - - NominalHeight - The nominal height of the segment. - - - - - - - Nominal Height - 公称高 - 공칭 높이 - - - - 呼び高寸法。 - 고치수 - - - - LadderConfiguration - Description of the configuration of the ladder structure used. - - - - - - - Ladder Configuration - 梯子設定 - 사다리 설정 - - - - 使用されるはしご構造の概要説明。 - 사용되는 사다리 구조의 개요 설명. - - - - - - はしご構造の上にケーブルを乗せる開放型ケーブルキャリアに関するプロパティセット定義。 - - - - - Pset_CableCarrierSegmentTypeCableTraySegment - An (typically) open carrier segment onto which cables are laid. -HISTORY: IFC4 - NominalLength deleted. To be handled as a quantity measure - - - IfcCableCarrierSegment/CABLETRAYSEGMENT - - IfcCableCarrierSegment/CABLETRAYSEGMENT - - - NominalWidth - The nominal width of the segment. - - - - - - - Nominal Width - 公称幅 - 공칭 폭 - - - - 呼び幅寸法。 - 폭 치수 - - - - NominalHeight - The nominal height of the segment. - - - - - - - Nominal Height - 公称高 - 공칭 높이 - - - - 呼び高寸法。 - 고 치수 - - - - HasCover - Indication of whether the cable tray has a cover (=TRUE) or not (= FALSE). By default, this value should be set to FALSE.. - - - - - - - Has Cover - カバー - 커버 - - - - カバー付かどうか。 - 커버 유무 - - - - - - 典型的な開放型ケーブルキャリアに関するプロパティセット定義。 - - - - - Pset_CableCarrierSegmentTypeCableTrunkingSegment - An enclosed carrier segment with one or more compartments into which cables are placed. -HISTORY: IFC4 - NominalLength deleted. To be handled as a quantity measure - - - IfcCableCarrierSegment/CABLETRUNKINGSEGMENT - - IfcCableCarrierSegment/CABLETRUNKINGSEGMENT - - - NominalWidth - The nominal width of the segment. - - - - - - - Nominal Width - 公称幅 - 공칭 폭 - - - - 呼び幅寸法。 - 폭 치수 - - - - NominalHeight - The nominal height of the segment. - - - - - - - Nominal Height - 公称高 - 공칭높이 - - - - 呼び高寸法。 - 고 치수 - - - - NumberOfCompartments - The number of separate internal compartments within the trunking. - - - - - - - Number Of Compartments - 区画数 - 구획 수 - - - - 管の区別される内部区画の個数。 - 관 구분되는 내부 파티션 개수 - - - - - - 一つ以上の区画にケーブルを収納する密閉型ケーブルキャリアに関するプロパティセット定義。 - - - - - Pset_CableCarrierSegmentTypeCommon - Common properties for cable carrier segments. HISTORY: Added in IFC4. - - - IfcCableCarrierSegment - - IfcCableCarrierSegment - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - 当該プロジェクトで定義する形式の参照ID(例:A-1)、承認された分類に存在しないときに使用される。 - 해당 프로젝트에 정의된 형식의 참조 ID (예 : A-1) 승인된 분류에 존재하지 않을 때 사용된다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - ケーブルキャリアに関する共通プロパティセット定義。 - - - - - Pset_CableCarrierSegmentTypeConduitSegment - An enclosed tubular carrier segment through which cables are pulled. -HISTORY: IFC4 - NominalLength deleted. To be handled as a quantity measure. - - - IfcCableCarrierSegment/CONDUITSEGMENT - - IfcCableCarrierSegment/CONDUITSEGMENT - - - NominalWidth - The nominal width of the segment. - - - - - - - Nominal Width - 公称幅 - 공칭 폭 - - - - 呼び幅寸法。 - 폭 치수 - - - - NominalHeight - The nominal height of the segment. - - - - - - - Nominal Height - 公称高 - 공칭 높이 - - - - 呼び高寸法。 - 고 치수 - - - - ConduitShapeType - The shape of the conduit segment. - - - - CIRCULAR - OVAL - OTHER - NOTKNOWN - UNSET - - - - CIRCULAR - - Circular - - - - - - - OVAL - - Oval - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Conduit Shape Type - 電線管のタイプ - 전선관의 유형 - - - - 電線管の形状タイプ。 -(円筒形,卵形,その他,不明,なし) - 전선관의 형상 타입. (원통형, 계란 모양, 기타 알 수 없음) " - - - - IsRigid - Indication of whether the conduit is rigid (= TRUE) or flexible (= FALSE). - - - - - - - Is Rigid - 鋼管 - 강관 - - - - 鋼管か否か。 - - - - - - - 電線管のプロパティを設定。 - - - - - Pset_CableFittingTypeCommon - Common properties for cable fittings. HISTORY: Added in IFC4. - - - IfcCableFitting - - IfcCableFitting - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - 当該プロジェクトで定義する形式の参照ID(例:A-1)、承認された分類に存在しないときに使用される。 - 해당 프로젝트에 정의된 형식의 참조 ID (예 : A-1) 승인된 분류에 존재하지 않을 때 사용된다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - ケーブルの共通プロパティを設定します。 -IFC4にて追加 - - - - - Pset_CableSegmentOccurrence - Properties for the occurrence of an electrical cable, core or conductor that conforms to a type as specified by an appropriate type definition within IFC. NOTE: Maximum allowed voltage drop should be derived from the property within Pset_ElectricalCircuit. - - - IfcCableSegment - - IfcCableSegment - - - DesignAmbientTemperature - The highest and lowest local ambient temperature likely to be encountered. - - - - - - - Design Ambient Temperature - - - - - - - UserCorrectionFactor - An arbitrary correction factor that may be applied by the user. - - - - - - - User Correction Factor - - - - - - - NumberOfParallelCircuits - Number of parallel circuits. - - - - - - - Number Of Parallel Circuits - - - - - - - InstallationMethod - Method of installation of cable/conductor. Installation methods are typically defined by reference in standards such as IEC 60364-5-52, table 52A-1 or BS7671 Appendix 4 Table 4A1 etc. Selection of the value to be used should be determined from such a standard according to local usage. - - - - - - - Installation Method - - - - - - - InstallationMethodFlagEnum - Special installation conditions relating to particular types of installation based on IEC60364-5-52:2001 reference installation methods C and D. - - - - INDUCT - INSOIL - ONWALL - BELOWCEILING - OTHER - NOTKNOWN - UNSET - - - - INDUCT - - In Duct - - - - - - - INSOIL - - In Soil - - - - - - - ONWALL - - On Wall - - - - - - - BELOWCEILING - - Below Ceiling - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Installation Method Flag Enum - - - - - - - DistanceBetweenParallelCircuits - Distance measured between parallel circuits. - - - - - - - Distance Between Parallel Circuits - - - - - - - SoilConductivity - Thermal conductivity of soil. Generally, within standards such as IEC 60364-5-52, table 52A-16, the resistivity of soil is required (measured in [SI] units of degK.m /W). This is the reciprocal of the conductivity value and needs to be calculated accordingly. - - - - - - - Soil Conductivity - - - - - - - CarrierStackNumber - Number of carrier segments (tray, ladder etc.) that are vertically stacked (vertical is measured as the z-axis of the local coordinate system of the carrier segment). - - - - - - - Carrier Stack Number - - - - - - - MountingMethod - The method of mounting cable segment occurrences on a cable carrier occurrence from which the method required can be selected. This is for the purpose of carrying out 'worst case' cable sizing calculations and may be a conceptual requirement rather than a statement of the physical occurrences of cable and carrier segments. - - - - PERFORATEDTRAY - LADDER - OTHER - NOTKNOWN - UNSET - - - - PERFORATEDTRAY - - Perforated Tray - - - - - - - LADDER - - Ladder - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Mounting Method - - - - - - - IsHorizontalCable - Indication of whether the cable occurrences are mounted horizontally (= TRUE) or vertically (= FALSE). - - - - - - - Is Horizontal Cable - - - - - - - IsMountedFlatCable - Indication of whether the cable occurrences are mounted flat (= TRUE) or in a trefoil pattern (= FALSE). - - - - - - - Is Mounted Flat Cable - - - - - - - CurrentCarryingCapasity - Maximum value of electric current which can be carried continuously by a conductor, a device or an apparatus, under specified conditions without its steady-state temperature exceeding a specified value. Based on IEC60826-11-13. NOTE: The temperature specified value is maximum Design Ambient Temperature. - - - - - - - Current Carrying Capasity - - - - - - - MaximumCableLength - Maximum cable length based on voltagedrop. NOTE: This value may also be specified as a constraint within an IFC model if required but is included within the property set at this stage pending implementation of the required capabilities within software applications. - - - - - - - Maximum Cable Length - - - - - - - PowerLoss - Total loss of power across this cable. - - - - - - - Power Loss - - - - - - - - - - - - - Pset_CableSegmentTypeBusBarSegment - Properties specific to busbar cable segments. - - - IfcCableSegment/BUSBARSEGMENT - - IfcCableSegment/BUSBARSEGMENT - - - IsHorizontalBusbar - Indication of whether the busbar occurrences are routed horizontally (= TRUE) or vertically (= FALSE). - - - - - - - Is Horizontal Busbar - 水平母線 - 수평 모선 - - - - 母線は、水平方向にルーティングされるかどうかを示す(= TRUE)または垂直方向に(= FALSE)を返します。 - 모선은 가로로 라우팅되는지 여부를 나타내는 (= TRUE) 또는 수직 (= FALSE)를 반환합니다. - - - - - - busbarケーブルの性質、性能。 - - - - - Pset_CableSegmentTypeCableSegment - Electrical cable with a specific purpose to lead electric current within a circuit or any other electric construction. Includes all types of electric cables, mainly several electrical segments wrapped together, e.g. cable, tube, busbar. Note that the number of conductors within a cable is determined by an aggregation mechanism that aggregates the conductors within the cable. A single-core cable is defined in IEV 461-06-02 as being 'a cable having only one core'; a multiconductor cable is defined in IEV 461-06-03 as b eing 'a cable having more than one conductor, some of which may be uninsulated'; a mulicore cable is defined in IEV 461-06-04 as being 'a cable having more than one core'. - - - IfcCableSegment/CABLESEGMENT - - IfcCableSegment/CABLESEGMENT - - - Standard - The designation of the standard applicable for the definition of the Cable/Bus used. - - - - - - - Standard - 標準 - 표준 - - - - 使用されるケーブル、busbarの定義のために使用される標準仕様。 - 사용되는 케이블, busbar의 정의를 위해 사용되는 표준. - - - - NumberOfCores - The number of cores in Cable/Bus. - - - - - - - Number Of Cores - 芯数 - 심수 - - - - ケーブルや母線の芯数を示す。 - 케이블과 모선의 심수 보여준다. - - - - OverallDiameter - The overall diameter of a Cable/Bus. - - - - - - - Overall Diameter - 直径 - 직경 - - - - ケーブルや母線の外形寸法(直径)を示す。 - 케이블과 모선의 외형 치수 (직경)를 나타낸다. - - - - RatedVoltage - The range of allowed voltage that a device is certified to handle. The upper bound of this value is the maximum. - - - - - - - Rated Voltage - 定格電圧 - 정격 전압 - - - - 使用できることが許可されている許容電圧。 - 사용할 수있는 권한이있는 허용 전압. - - - - RatedTemperature - The range of allowed temerature that a device is certified to handle. The upper bound of this value is the maximum. - - - - - - - Rated Temperature - 定格温度 - 정격 온도 - - - - 使用できることが許可されている許容温度。 - 사용할 수있는 권한이있는 허용 온도 - - - - ScreenDiameter - The diameter of the screen around a cable or bus segment (if present). - - - - - - - Screen Diameter - スクリーン径 - 스크린 지름 - - - - 遮へい層の径、厚さ。 - 차폐 층의 직경, 두께. - - - - HasProtectiveEarth - One core has protective earth marked insulation, Yellow/Green. - - - - - - - Has Protective Earth - 保護用接地の有無 - 보호 접지의 유무 - - - - 各ケーブルは黄色や緑で塗色された絶縁体をもっている。 - 각 케이블은 노란색 또는 녹색으로 도색되었다 절연체를 가지고있다. - - - - MaximumOperatingTemperature - The maximum temperature at which a cable or bus is certified to operate. - - - - - - - Maximum Operating Temperature - 許容最高温度 - 허용 최고 온도 - - - - ケーブルや母線の最大動作温度を示す。 - 케이블과 모선의 최대 작동 온도를 나타낸다. - - - - MaximumShortCircuitTemperature - The maximum short circuit temperature at which a cable or bus is certified to operate. - - - - - - - Maximum Short Circuit Temperature - 短絡許容最高温度 - 단락 허용 최고 온도 - - - - ケーブルや母線の最大短絡温度を示す。 - 케이블과 모선의 최대 단락 온도를 나타낸다. - - - - SpecialConstruction - Special construction capabilities like self-supporting, flat devidable cable or bus flat non devidable cable or bus supporting elements inside (steal, textile, concentric conductor). Note that materials used should be agreed between exchange participants before use. - - - - - - - Special Construction - 特別な施工方法 - 특별한 시공 방법 - - - - 特殊な構造を備えた性能-たとえば、平型フレキシブルケーブルあるいは硬い平型母線ケーブル、あるいは母線で内部に鉄製、繊維、同心導体で構成されているサポートを持っている。 -注記)使用する材料は、使用前に交流参加者間で合意すること。 - 특수한 구조를 갖춘 성능 - 예를 들어, 평형 플렉시블 케이블 또는 딱딱한 평형 모선 케이블 또는 모선 내부에 철제, 섬유, 동심 도체로 구성되어있는 지원이있다. 주) 사용하는 재료는 사용 전에 교류 참가자 사이에 동의한다. - - - - Weight - Weight of cable kg/km. - - - - - - - Weight - 重量 - 무게 - - - - ケーブルの重量。 - 케이블의 무게 - - - - SelfExtinguishing60332_1 - Self Extinguishing cable/core according to IEC 60332.1. - - - - - - - Self Extinguishing60332_1 - 自己消火ケーブル - 자기 소화 케이블 - - - - IEC 60332.1.に規定されている自己消火ケーブル。 - IEC 60332.1.에 규정되어있는 자기 소화 케이블 - - - - SelfExtinguishing60332_3 - Self Extinguishing cable/core according to IEC 60332.3. - - - - - - - Self Extinguishing60332_3 - 自己消火ケーブル - 자기 소화 케이블 - - - - IEC 60332.3.に規定されている自己消火ケーブル。 - IEC 60332.3.에 규정되어있는 자기 소화 케이블 - - - - HalogenProof - Produces small amount of smoke and irritating Deaerator/Gas. - - - - - - - Halogen Proof - エコケーブル - 에코 케이블 - - - - 煙や刺激臭のあるガスの発生が少ないケーブル。 - 연기와 자극적인 냄새가있는 가스의 발생이 적은 케이블 - - - - FunctionReliable - Cable/bus maintain given properties/functions over a given (tested) time and conditions. According to IEC standard. - - - - - - - Function Reliable - 信頼性のある機能 - 신뢰할 수있는 기능 - - - - ケーブルや母線が与えられた時間と条件の中で規定される機能、性質を維持すること。これはIEC基準による。 - 케이블 및 모선 주어진 시간과 조건에서 규정하는 기능, 성질을 유지한다. 이것은 IEC 기준에 의한다. - - - - - - IAIにて定義されるもので、電気回路やその他電源回路などで送電する目的を持った電気関係のケーブル。 -すべての種類の電気ケーブルを含み、主にいくつかの電気層にて保護されている。たとえばケーブル、busbar、チューブ。 -注記)導電帯の中のケーブルの数は集計システムで規定される。単芯ケーブルはIEV 461-06-02で規定される。複芯ケーブルはIEV 461-06-03にて規定される。それは一つ以上の導電帯を持ちいくつかは絶縁されていない。マルチコアケーブルはIEV 461-06-04で規定されて、少なくとも一つ以上のコアで形成されている。 - - - - - Pset_CableSegmentTypeCommon - Properties for the definitions of electrical cable segments. - - - IfcCableSegment - - IfcCableSegment - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - 当該プロジェクトで定義する形式の参照ID(例:A-1)、承認された分類に存在しないときに使用される。 - 해당프로젝트에 정의도니 형식의 참조ID (예 : A-1) 승인된 분류에 존재하지 않을 때 사용된다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - 電気ケーブルに関する性質でコアや導電帯、IFCにて定義されたコアや導電帯の性質。 -注記)最大の許容電圧低下はPset_ElectricalCircuit内から定義されるものである。 - - - - - Pset_CableSegmentTypeConductorSegment - An electrical conductor is a single linear element with the specific purpose to lead electric current. The core of one lead is normally single wired or multiwired which are intertwined. According to IEC 60050: IEV 195-01-07, a conductor is a conductive part intended to carry a specified electric current. - - - IfcCableSegment/CONDUCTORSEGMENT - - IfcCableSegment/CONDUCTORSEGMENT - - - CrossSectionalArea - Cross section area of the phase(s) lead(s). - - - - - - - Cross Sectional Area - 断面積 - 단면적 영역 - - - - 位相、リードの断面積。 - 리드 단면적. - - - - Function - Type of function for which the conductor is intended. - - - - LINE - NEUTRAL - PROTECTIVEEARTH - PROTECTIVEEARTHNEUTRAL - OTHER - NOTKNOWN - UNSET - - - - LINE - - Line - - - - - - - NEUTRAL - - Neutral - - - - - - - PROTECTIVEEARTH - - Protective Earth - - - - - - - PROTECTIVEEARTHNEUTRAL - - Protective Earth Neutral - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Function - 機能 - 기능 - - - - 導体の機能のタイプ。 - 도체의 기능 유형. - - - - Material - Type of material from which the conductor is constructed. - - - - ALUMINIUM - COPPER - OTHER - NOTKNOWN - UNSET - - - - ALUMINIUM - - Aluminium - - - - - - - COPPER - - Copper - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Material - 材料 - 도체의 기능 유형. - - - - 導体を構成する材料のタイプ。 - 도체를 구성하는 재료의 종류. - - - - Construction - Purpose of informing on how the vonductor is constucted (interwined or solid). I.e. Solid (IEV 461-01-06), stranded (IEV 461-01-07), solid-/finestranded(IEV 461-01-11) (not flexible/flexible). - - - - SOLIDCONDUCTOR - STRANDEDCONDUCTOR - FLEXIBLESTRANDEDCONDUCTOR - OTHER - NOTKNOWN - UNSET - - - - SOLIDCONDUCTOR - - Solid Conductor - - - - - - - STRANDEDCONDUCTOR - - Stranded Conductor - - - - - - - FLEXIBLESTRANDEDCONDUCTOR - - Flexible Stranded Conductor - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Construction - 構造 - 구조 - - - - 導体の構成(より線か単線)の定義。すなわち単線(IEV 461-01-06)、より線(IEV 461-01-07)、フレキシブル導体(IEV 461-01-11)(フレキシブルか否か)で定義。 - 도체 구성 (연선 또는 단선)의 정의 즉 단선 (IEV 461-01-06), 트위스트 (IEV 461-01-07), 플렉서블 도체 (IEV 461-01-11) (유연한 아닌지 가) 정의 - - - - Shape - Indication of the shape of the conductor. - - - - HELICALCONDUCTOR - CIRCULARCONDUCTOR - SECTORCONDUCTOR - RECTANGULARCONDUCTOR - OTHER - NOTKNOWN - UNSET - - - - HELICALCONDUCTOR - - Helical Conductor - - - - - - - CIRCULARCONDUCTOR - - Circular Conductor - - - - - - - SECTORCONDUCTOR - - Sector Conductor - - - - - - - RECTANGULARCONDUCTOR - - Rectangular Conductor - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Shape - 形状 - 형상 - - - - 導体の形状を表示。 - 도체의 형상을 표시합니다. - - - - - - 電気導体は電流を導く目的で使用される線状の導体である。 -1本の導体の中心は、1本のワイヤーまたは、寄り合わせた複数のワイヤーからなる。IEC 60050:IEV 195-01-07によると、導体は指定された電流を運ぶことを目的とする伝導部分である。 - - - - - Pset_CableSegmentTypeCoreSegment - An assembly comprising a conductor with its own insulation (and screens if any) - - - IfcCableSegment/CORESEGMENT - - IfcCableSegment/CORESEGMENT - - - OverallDiameter - The overall diameter of a core (maximun space used). - - - - - - - Overall Diameter - 全径 - 전체 직경 - - - - 全体の直径(最大スペース)。 - 전체 직경 (최대 공간). - - - - RatedVoltage - The range of allowed voltage that a device is certified to handle. The upper bound of this value is the maximum. - - - - - - - Rated Voltage - 定格電圧 - 정격 전압 - - - - 機器を使用できる保障された電圧。上限値は最大値。 - 장치를 사용할 보장된 전압. 상한은 최대. - - - - RatedTemperature - The range of allowed temerature that a device is certified to handle. The upper bound of this value is the maximum. - - - - - - - Rated Temperature - 定格温度 - 정격 온도 - - - - 機器を使用できる保障された温度。上限値は最大値。 - 장치를 사용할 보장된 온도 상한은 최대. - - - - ScreenDiameter - The diameter of the screen around a core segment (if present). - - - - - - - Screen Diameter - シールド径 - 실드 직경 - - - - コア部分(存在する場合)の面の直径。 - 코어 부분 (있는 경우)의 측면에 지름. - - - - CoreIdentifier - The core identification used Identifiers may be used such as by color (Black, Brown, Grey) or by number (1, 2, 3) or by IEC phase reference (L1, L2, L3) etc. - - - - - - - Core Identifier - コア識別子 - 코어 식별자 - - - - コアの識別は、色(ブラック、ブラウン、グレー)又は番号(1、2、3)又はIECの位相基準(L1、L2、L3)などを使用。 - 코어 식별 색 (블랙, 브라운, 그레이) 또는 번호 (1,2,3) 또는 IEC의 위상 기준 (L1, L2, L3)를 사용. - - - - SheathColors - Colour of the core (derived from IEC 60757). Note that the combined color 'GreenAndYellow' shall be used only as Protective Earth (PE) conductors according to the requirements of IEC 60446. - - - - BLACK - BLUE - BROWN - GOLD - GREEN - GREY - ORANGE - PINK - RED - SILVER - TURQUOISE - VIOLET - WHITE - YELLOW - GREENANDYELLOW - OTHER - NOTKNOWN - UNSET - - - - BLACK - - Black - - - - - - - BLUE - - Blue - - - - - - - BROWN - - Brown - - - - - - - GOLD - - Gold - - - - - - - GREEN - - Green - - - - - - - GREY - - Grey - - - - - - - ORANGE - - Orange - - - - - - - PINK - - Pink - - - - - - - RED - - Red - - - - - - - SILVER - - Silver - - - - - - - TURQUOISE - - Turquoise - - - - - - - VIOLET - - Violet - - - - - - - WHITE - - White - - - - - - - YELLOW - - Yellow - - - - - - - GREENANDYELLOW - - Green and Yellow - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Sheath Colors - シース色 - 코어 색 - - - - コア色(IEC60757による)。緑と黄色の混合色の保護接地(PE)の導体は、IEC60446の要件に応じて注意して使用。 - 녹색과 노란색 혼합 색상의 보호 접지 (PE) 도체는 IEC60446의 요구에 따라주의하여 사용. - - - - Weight - Weight of core kg/km. - - - - - - - Weight - 重量 - 무게 - - - - コアkg/kmの重量。 - 코어 kg / km의 무게. - - - - SelfExtinguishing60332_1 - Self Extinguishing cable/core according to IEC 60332.1. - - - - - - - Self Extinguishing60332_1 - 自動消火60332_1 - 자동 소화 60332_1 - - - - 自動消火ケーブル/コアはIEC 60332.1に準じる。 - 자동 소화 케이블 / 코어는 IEC 60332.1에 준한다 - - - - SelfExtinguishing60332_3 - Self Extinguishing cable/core according to IEC 60332.3. - - - - - - - Self Extinguishing60332_3 - 自動消火60332_3 - 자동 소화 60332_3 - - - - 自己消化ケーブル/コアはIEC 60332.3.に準じる。 - 자기 소화 케이블 / 코어는 IEC 60332.3.에 준한다. - - - - HalogenProof - Produces small amount of smoke and irritating deaerator/gas. - - - - - - - Halogen Proof - ハロゲン証明 - 할로겐 증명 - - - - 少量の煙および刺激する脱気/ガスを生成。 - 소량의 연기와 자극 탈기 / 가스를 생성합니다. - - - - FunctionReliable - Core maintain given properties/functions over a given (tested) time and conditions. According to (IEC) standard. - - - - - - - Function Reliable - 機能信頼性 - 기능 신뢰성 - - - - コアの維持は特定(テスト)の時間と条件でプロパティ/関数を指定する。標準会議(IEC)規格に準拠。 - 핵심 정비는 특정 (테스트) 시간과 조건의 속성 / 함수를 지정한다. 표준 회의 (IEC) 규격을 준수합니다. - - - - Standard - The designation of the standard applicable for the definition of the core used. - - - - - - - Standard - 基準 - 기준 - - - - 使用するコアの定義に適用される基準の指定。 - 사용하는 코어의 정의에 적용되는 기준 지정 - - - - - - 絶縁(と、いくつかのシールド)をもった導体の集合。 - - - - - Pset_ChillerPHistory - Chiller performance history attributes. - - - IfcChiller - - IfcChiller - - - Capacity - The product of the ideal capacity and the overall volumetric efficiency of the compressor. - - - - - Capacity - Puissance - - - - Le produit de la puissance optimale par le rendement global du compresseur. - - - - EnergyEfficiencyRatio - The Energy efficiency ratio (EER) is the ratio of net cooling capacity to the total input rate of electric power applied. By definition, the units are BTU/hour per Watt. -The input electric power may be obtained from Pset_DistributionPortPHistoryElectrical.RealPower on the 'Power' port of the IfcChiller. - - - - - Energy Efficiency Ratio - CoefficientEfficacitéEnergétique - - - - L'EER ou Energy Efficiency Ratio est le coefficient d'efficacité frigorifique, rapport entre entre l'énergie utile frigorifique divisée parénergie absorbée au compresseur. -Par définition, l'unité est le BTU/hour par Watt. -La puissance électrique fournie peut être obtenue depuis Pset_DistributionPortHistoryElectrical.RealPower sur le port "Power" du IfcChiller. - - - - CoefficientOfPerformance - The Coefficient of performance (COP) is the ratio of heat removed to energy input. -The energy input may be obtained by multiplying -Pset_DistributionPortPHistoryGas.FlowRate on the 'Fuel' port of the IfcChiller by Pset_MaterialFuel.LowerHeatingValue. -The IfcDistributionPort for fuel has an associated IfcMaterial with fuel properties and is assigned to an IfcPerformanceHistory object nested within this IfcPerformanceHistory object. - - - - - Coefficient Of Performance - CoefficientDePerformance - - - - Le coefficient de performance (COP) est le rapport entre l'énergie calorifique fournie sur l'énergie abosrbée. -L'énergie fournie peut être obtenue en multipliant Pset_DistributionPortHistoryGas.flowRate depuis le port du IfcChiller par Pset_MaterialFuel.LowerHeatingValue. -Le IfcDistributionPort pour combustible est associé à IfcMaterial pour les propriétés du combustible et est atrribué à l'objet IfcPerformanceHistory situé à l'intérieur même de cet objet IfcPerformanceHistory. - - - - - - - - - - Pset_ChillerTypeCommon - Chiller type common attributes. - - - IfcChiller - - IfcChiller - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - Référence - 参照記号 - - - - Identification de référence pour ce type spécifique à ce projet, c'est-à-dire type'A-1', fourni à partir du moment où, s'il n'y a pas de référence de classification par rapport à un système de classification reconnu et en usage. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Etat - 状態 - - - - Etat de l'élément, utilisé avant tout pour les projets de rénovation et réaménagement. L'état assigné peut être "Nouveau" - l'élément prévu pour du neuf, "Existant" - l'élément existait et est maintenu, "Démoli" - l'élément existait mais doit être démoli/supprimé, "Provisoire" - l'élément existera à titre provisoire seulement (comme un support structurel par exemple). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - NominalCapacity - Nominal cooling capacity of chiller at standardized conditions as defined by the agency having jurisdiction. - - - - - - - Nominal Capacity - PuissanceNominale - - - - Puissance froid nominale du groupe froid aux conditions standardisées telles que définies par l'organisation faisant autorité. - - - - NominalEfficiency - Nominal chiller efficiency under nominal conditions. - - - - - - - Nominal Efficiency - EfficacitéNominale - - - - Efficactié nominale du groupe froid sous les conditions nominales. - - - - NominalCondensingTemperature - Chiller condensing temperature. - - - - - - - Nominal Condensing Temperature - TemperatureCondensationNominale - - - - Température de condensation du groupe froid. - - - - NominalEvaporatingTemperature - Chiller evaporating temperature. - - - - - - - Nominal Evaporating Temperature - TempératureEvaporationNominale - - - - Température d'évaporation du groupe froid. - - - - NominalHeatRejectionRate - Sum of the refrigeration effect and the heat equivalent of the power input to the compressor. - - - - - - - Nominal Heat Rejection Rate - CoefficientEvacuationNominaleChaleur - - - - Somme de l'effet de réfrigération et de la chaleur équivalente à la puisssance absorbée par le compresseur. - - - - NominalPowerConsumption - Nominal total power consumption. - - - - - - - Nominal Power Consumption - ConsommationPuissanceNominale - - - - Puissance de consommation totale nominale. - - - - CapacityCurve - Chiller cooling capacity is a function of condensing temperature and evaporating temperature, data is in table form, Capacity = f (TempCon, TempEvp), capacity = a1+b1*Tei+c1*Tei^2+d1*Tci+e1*Tci^2+f1*Tei*Tci. -This table uses multiple input variables; to represent, both DefiningValues and DefinedValues lists are null and IfcTable is attached using IfcPropertyConstraintRelationship and IfcMetric. Columns are specified in the following order: -1.IfcPowerMeasure:Capacity -2.IfcThermodynamicTemperatureMeasure:CondensingTemperature -3.IfcThermodynamicTemperatureMeasure:EvaporatingTemperature - - - - - - - - - - - - - Capacity Curve - CourbePuissance - - - - Puissance frigoifique du groupe froid qui est une fonction de la température de condensation et de la température d'évaporation, les informations sont sous la forme d'un tableau, Puissance = f(TempCon,TempEvp), puissance = a1+b1*Tei+c1*Tei^2+d1*Tci+e1*Tci^2+f1*Tei*Tci. -Ce tableau utilises plusieurs entrées variables; pour la représenter, DefiningValues et DefinedValues sont pour les deux nulles et IfcTable est attachée en utilisant IfcPropertyConstraintRelationship et IfcMetric. Les colonnes sont indiquées dans l'ordre suivant: -1. IfcPowerMeasure: Capacity -2. IfcThermodynamicTemperatureMeasure: CondensingTemperature -3. IfcThermodynamicTemperatureMeasure: EvaporatingTemperature - - - - CoefficientOfPerformanceCurve - Chiller coefficient of performance (COP) is function of condensing temperature and evaporating temperature, data is in table form, COP= f (TempCon, TempEvp), COP = a2+b2*Tei+c2*Tei^2+d2*Tci+e2*Tci^2+f2*Tei*Tci. -This table uses multiple input variables; to represent, both DefiningValues and DefinedValues lists are null and IfcTable is attached using IfcPropertyConstraintRelationship and IfcMetric. Columns are specified in the following order: -1.IfcPositiveRatioMeasure:CoefficientOfPerformance -2.IfcThermodynamicTemperatureMeasure:CondensingTemperature -3.IfcThermodynamicTemperatureMeasure:EvaporatingTemperature - - - - - - - - - - - - - Coefficient Of Performance Curve - CourbeCOP - - - - Coefficient de Performance (COP) du groupe froid qui est une fonction de la température de condensation et de la température d'évaporation, les informations sont sous la forme d'un tableau, COP = f(TempCon,TempEvp), COP = a2+b1*Tei+c2*Tei^2+d2*Tci+e2*Tci^2+f2*Tei*Tci. -Ce tableau utilises plusieurs entrées variables; pour la représenter, DefiningValues et DefinedValues sont pour les deux nulles et IfcTable est attachée en utilisant IfcPropertyConstraintRelationship et IfcMetric. Les colonnes sont indiquées dans l'ordre suivant: -1. IfcPowerMeasureCapacity -2. IfcThermodynamicTemperatureMeasure: CondensingTemperature -3. IfcThermodynamicTemperatureMeasure: EvaporatingTemperature - - - - FullLoadRatioCurve - Ratio of actual power to full load power as a quadratic function of part load, at certain condensing and evaporating temperature, FracFullLoadPower = f ( PartLoadRatio). - - - - - - - - - - - - - Full Load Ratio Curve - CourbeFonctionnementPleineCharge - - - - Rapport entre la puissance instantanée et la puissance à pleine charge comme fonction quadratique de charge partielle, pour une certaine température de condensation et une température d'évaporation, FracFullLoadPower= f (CoefficientChargePartielle) - - - - - - - - - - Pset_ChimneyCommon - Properties common to the definition of all occurrence and type objects of chimneys. - - - IfcChimney - - IfcChimney - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Bauteiltyp - Reference - Référence - 参照記号 - 参考号 - - - Bezeichnung zur Zusammenfassung gleichartiger Bauteile zu einem Bauteiltyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1") pour désigner un "type de construction". Une alternative au nom d'un objet type lorsque les objets types ne sont pas gérés par le logiciel. - 認識された分類体系で参照する分類がない場合にこのプロジェクト固有の参照記号(例:タイプ'A-1')が与えられる。 - 若未采用已知的分类系统,则该属性为该项目中该类型构件的参考编号(例如,类型A-1)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - NumberOfDrafts - Number of the chimney drafts, continuous holes in the chimney through which the air passes, within the single chimney. - - - - - - - Zügigkeit - Number Of Drafts - Nombre de conduits - 穴の数 - 烟道数 - - - Anzahl der Schornsteinzüge innerhalb eines Schornsteins. Gewöhnlich ein-, zwei, drei oder vierzügig. - - Nombre de conduits, percements continus par lesquels passe l'air à l'intérieur d'une cheminée simple. - 一つの煙突で、煙突の筒(chimney draft)、空気が流れる連続した穴の数。 - 单根烟囱内的烟道数目,烟道即烟囱内供空气流通的连续孔道。 - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external element and faces the outside of the building. - - - - - - - Außenbauteil - Is External - Est extérieur - 外部 - 是否外部构件 - - - Angabe, ob dieses Bauteil ein Aussenbauteil ist (JA) oder ein Innenbauteil (NEIN). Als Aussenbauteil grenzt es an den Aussenraum (oder Erdreich, oder Wasser). - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - この要素が外部に用いられるか(TRUE)、否か(FALSE)を示す。(TRUE)の場合、これは外部要素で、建物の外部に面している。 - 表示该图元是否设计为外部构件。若是,则该图元为外部图元,朝向建筑物的外部。 - - - - ThermalTransmittance - Thermal transmittance coefficient (U-Value) of an element. Here the total thermal transmittance coefficient through the chimney within the direction of the thermal flow (including all materials). - - - - - - - U-Wert - Thermal Transmittance - Transmission thermique surfacique - 熱貫流率 - 导热系数 - - - Wärmedurchgangskoeffizient (U-Wert) der Materialschichten. -Hier der Gesamtwärmedurchgangskoeffizient des Schornsteins (in Richtung des Wärmeflusses), angegeben ohne den inneren und äußeren Wärmeübergangswiderstand. - - Coefficient de transmission thermique surfacique (U). C'est le coefficient global de transmission thermique à travers la cheminée dans la direction du flux thermique (tous matériaux inclus). Nouvelle propriété de la version 2x4. - 材料の熱貫流率(U値)。ここでは、煙突全体の熱の流れる方向の熱貫流率(全ての材料を含む)。 - 材料的导热系数(U值)。 -表示该烟囱在传热方向上的整体导热系数(包括所有材料)。 - - - - LoadBearing - Indicates whether the object is intended to carry loads (TRUE) or not (FALSE). - - - - - - - Tragendes Bauteil - Load Bearing - Porteur - 耐力部材 - 是否承重 - - - Angabe, ob dieses Bauteil tragend ist (JA) oder nichttragend (NEIN) - - Indique si l'objet est censé porter des charges (VRAI) ou non (FAUX). - オブジェクトが荷重を保持するか(TRUE)、保持しないか(FALSE)を示す。 - 表示该对象是否需要承重。 - - - - FireRating - Fire rating for the element. It is given according to the national fire safety classification. - - - - - - - Feuerwiderstandsklasse - Fire Rating - Résistance au feu - 耐火等級 - 防火等级 - - - Feuerwiderstandasklasse gemäß der nationalen oder regionalen Brandschutzverordnung. - - Classement au feu de l'élément donné selon la classification nationale de sécurité incendie. - 当該オブジェクトの耐火等級。国で定めた耐火安全等級分類による。 - 该构件的防火等级。 -该属性的依据为国家防火安全分级。 - - - - - - IfcChimneyタイプとそのすべての実体の定義に共通な属性。 - 所有IfcChimney实例和类型的定义中通用的属性。 - - - - - Pset_CivilElementCommon - Properties common to the definition of all occurrence and type objects of civil element. - - - - - Reference - - - - - - - - - - Status - - - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - - - - - - - - Pset_CoilOccurrence - Coil occurrence attributes attached to an instance of IfcCoil. - - - IfcCoil - - IfcCoil - - - HasSoundAttenuation - TRUE if the coil has sound attenuation, FALSE if it does not. - - - - - - - Has Sound Attenuation - PossedeCorrectionAcoustique - - - - VRAI si la batterie possède une correction acoustique, FAUX si ce n'est pas le cas. - - - - - - - - - - Pset_CoilPHistory - Coil performance history common attributes. -Sound attribute deleted in IFC2x2 Pset Addendum: Use IfcSoundProperties instead. - - - IfcCoil - - IfcCoil - - - AtmosphericPressure - Ambient atmospheric pressure. - - - - - Atmospheric Pressure - Pression atmosphérique - - - - Pression atmosphérique ambiante. - - - - AirPressureDropCurve - Air pressure drop curve, pressure drop – flow rate curve, AirPressureDrop = f (AirflowRate). - - - - - Air Pressure Drop Curve - CourbePerteDeChargeAir - - - - Courbe de perte de charge aéraulique, courbe perte de charge/débit. - - - - SoundCurve - Regenerated sound versus air-flow rate. - - - - - Sound Curve - CourbeSon - - - - Son généré par rapport au débit aéraulique. - - - - FaceVelocity - Air velocity through the coil. - - - - - Face Velocity - VitesseFace - - - - Vitesse de l'air à travers la batterie. - - - - - - - - - - Pset_CoilTypeCommon - Coil type common attributes. - - - IfcCoil - - IfcCoil - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - Référence - 参照記号 - - - - Identification de référence pour ce type spécifique à ce projet, c'est-à-dire type'A-1', fourni à partir du moment où, s'il n'y a pas de référence de classification par rapport à un système de classification reconnu et en usage. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Etat - 状態 - - - - Etat de l'élément, utilisé avant tout pour les projets de rénovation et réaménagement. L'état assigné peut être "Nouveau" - l'élément prévu pour du neuf, "Existant" - l'élément existait et est maintenu, "Démoli" - l'élément existait mais doit être démoli/supprimé, "Provisoire" - l'élément existera à titre provisoire seulement (comme un support structurel par exemple). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - OperationalTemperatureRange - Allowable operational air temperature range. - - - - - - - Operational Temperature Range - PlageTemperatureFonctionnelle - - - - Plage de température fonctionnelle admissible. - - - - AirflowRateRange - Possible range of airflow that can be delivered. For cases where there is no airflow across the coil (e.g. electric coil in a floor slab), then the value is zero. - - - - - - - Airflow Rate Range - PlageDébitAéraulique - - - - Plage possible de débit aéraulique pouvant être délivré. Pour les cas où il n'y a pas de débit à travers la batterie (par ex. batterie électrique en plancher), alors la valeur est zéro. - - - - NominalSensibleCapacity - Nominal sensible capacity. - - - - - - - Nominal Sensible Capacity - PuissanceSensibleNominale - - - - Puissance sensible nominale. - - - - NominalLatentCapacity - Nominal latent capacity. - - - - - - - Nominal Latent Capacity - PuissanceLatenteNominale - - - - Puissance latente nominale. - - - - NominalUA - Nominal UA value. - - - - - - - Nominal UA - UANominale - - - - Valeur nominale du coefficient de transmission thermique totale. - - - - PlacementType - Indicates the placement of the coil. -FLOOR indicates an under floor heater (if coil type is WATERHEATINGCOIL or ELECTRICHEATINGCOIL); -CEILING indicates a cooling ceiling (if coil type is WATERCOOLINGCOIL); -UNIT indicates that the coil is part of a cooling or heating unit, like cooled beam, etc. - - - - FLOOR - CEILING - UNIT - OTHER - NOTKNOWN - UNSET - - - - FLOOR - - Floor - - - - - - - CEILING - - Ceiling - - - - - - - UNIT - - Unit - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Placement Type - TypeImplantation - - - - Précise l'implantation de la batterie. -PLANCHER indique que c'est un plancher chauffant (si le type de batterie is BATTERIEEAUCHAUDE ou CABLECHAUFFANTLECTRIQUE); -PLAFOND indique un plafond rafraïchissant (si le type de la batterie est BATTERIEEAUFROIDE); UNITE indique que la batterie fait partie d'une unité de chauffage ou de refroidissement, tel que poutre froide, etc. - - - - - - - - - - Pset_CoilTypeHydronic - Hydronic coil type attributes. - - - IfcCoil - - IfcCoil - - - FluidPressureRange - Allowable water working pressure range inside the tube. - - - - - - - Fluid Pressure Range - PlagePressionFluide - - - - Plage de pression hydraulique fonctionnelle admissible dans le tube. - - - - CoilCoolant - The fluid used for heating or cooling used by the hydronic coil. - - - - WATER - BRINE - GLYCOL - OTHER - NOTKNOWN - UNSET - - - - WATER - - Water - - - - - - - BRINE - - Brine - - - - - - - GLYCOL - - Glycol - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Coil Coolant - RefrigerantBatterie - - - - Le fluide utilisé pour chauffer ou refroidir dans la batterie deux tubes. - - - - CoilConnectionDirection - Coil connection direction (facing into the air stream). - - - - LEFT - RIGHT - OTHER - NOTKNOWN - UNSET - - - - LEFT - - Left - - - - - - - RIGHT - - Right - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Coil Connection Direction - DirectionConnexionBatterie - - - - Direction de la connexion à la batterie (en face du jet d'air) - - - - CoilFluidArrangement - Fluid flow arrangement of the coil. - -CrossCounterFlow: Air and water flow enter in different directions. -CrossFlow: Air and water flow are perpendicular. -CrossParallelFlow: Air and water flow enter in same directions. - - - - CROSSFLOW - CROSSCOUNTERFLOW - CROSSPARALLELFLOW - OTHER - NOTKNOWN - UNSET - - - - CROSSFLOW - - Cross Flow - - - - - - - CROSSCOUNTERFLOW - - Cross Counter Flow - - - - - - - CROSSPARALLELFLOW - - Cross Parallel Flow - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Coil Fluid Arrangement - DispositionFluideBatterie - - - - Disposition du flux du fluide dans la batterie. - - - - CoilFaceArea - Coil face area in the direction against air the flow. - - - - - - - Coil Face Area - SurfaceEchangeBatterie - - - - Surface d'échange de la batterie dans la direction contraire du jet. - - - - HeatExchangeSurfaceArea - Heat exchange surface area associated with U-value. - - - - - - - Heat Exchange Surface Area - SurfaceEchangeThermique - - - - Surface d'échange thermique associé à la valeur U. - - - - PrimarySurfaceArea - Primary heat transfer surface area of the tubes and headers. - - - - - - - Primary Surface Area - SurfaceEchangePrimaire - - - - Surface d'échange thermique au primaire des tubes et aux collecteurs. - - - - SecondarySurfaceArea - Secondary heat transfer surface area created by fins. - - - - - - - Secondary Surface Area - SurfaceEchangeSecondaire - - - - Surface d'échange thermique au secondaire crée par les ailettes. - - - - TotalUACurves - Total UA curves, UA - air and water velocities, UA = [(C1 * AirFlowRate^0.8)^-1 + (C2 * WaterFlowRate^0.8)^-1]^-1. Note: as two variables are used, DefiningValues and DefinedValues are null, and values are stored in IfcTable in the following order: AirFlowRate,WaterFlowRate,UA. The IfcTable is related to IfcPropertyTableValue using IfcMetric and IfcPropertyConstraintRelationship. - - - - - - - - - - - - - Total UACurves - CourbesCoefficientTransmissionThermiqueTotal - - - - Courbes de coefficient de transmission thermique total - vitesses de l'eau et de l'air, U.S = [(C1*DébitAéraulique^0,8)^-1 + (C2*DébitHydraulique^0,8)^-1]^-1. -Remarque: comme deux variables sont utilisées, ValeursDefinir et ValeursDéfinies sont nulles, et les valeurs sont enregistrées dans IfcTable dans l'ordre suivant: -DébitAéraulique, DebitHydraulique, U.S. -Le IfcTable est lié à IfcPropertyTableValue en utilisant IfcMetric et IfcPropertyConstraintRelationship. - - - - WaterPressureDropCurve - Water pressure drop curve, pressure drop – flow rate curve, WaterPressureDrop = f(WaterflowRate). - - - - - - - - - - - - - Water Pressure Drop Curve - CourbePerteChargeHydraulique - - - - Courbe de perte de charge hydraulique, courbe perte de charge - débit, perte de charge = f(DébitHydraulique). - - - - BypassFactor - Fraction of air that is bypassed by the coil (0-1). - - - - - - - Bypass Factor - FacteurBypass - - - - Fraction de l'air qui est bypassé par la batterie (0 à 1). - - - - SensibleHeatRatio - Air-side sensible heat ratio, or fraction of sensible heat transfer to the total heat transfer. - - - - - - - Sensible Heat Ratio - RatioChaleurSensible - - - - Ratio de chaleur sensible, ou fraction d'échange thermique sensible sur la chaleur thermique totale échangée. - - - - WetCoilFraction - Fraction of coil surface area that is wet (0-1). - - - - - - - Wet Coil Fraction - FractionBatterieHumide - - - - Fraction de la surface de la batterie qui est humide (0 à 1). - - - - - - - - - - Pset_ColumnCommon - Properties common to the definition of all occurrence and type objects of column. - - - IfcColumn - - IfcColumn - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Bauteiltyp - Reference - Reference - 参照記号 - 参考号 - - - Bezeichnung zur Zusammenfassung gleichartiger Bauteile zu einem Bauteiltyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1") pour désigner un "type de construction". Une alternative au nom d'un objet type lorsque les objets types ne sont pas gérés par le logiciel. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 若未采用已知的分类系统,则该属性为该项目中该类型构件的参考编号(例如,类型A-1)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - Slope - Slope angle - relative to horizontal (0.0 degrees). - -The shape information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the shape properties, provided in the attached property, the geometric parameters take precedence. For geometry editing applications, like CAD: this value should be write-only. - - - - - - - Neigungswinkel - Slope - Inclinaison - 傾斜 - 坡度 - - - Neigungswinkel der Stütze relative zur Horizontalen (0 Grad). - -Dieser Parameter wird zusätzlich zur geometrischen Repräsentation bereitgestellt. Im Fall der Inkonsistenz zwischen dem Parameter und der Geometrie hat die geometrische Repräsention Priorität. Dieser Parameter ist für CAD Software write-only. - - Angle d'inclinaison avec l'horizontale (0 degrés). Cette propriété est donnée en complément de la représentation de la forme et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. - 傾斜角度。水平を0度とする。 - 相对于水平(0.0度)方向的坡度角。 -该属性所提供的形状信息是对内部形状描述和几何参数的补充。如果几何参数与该属性所提供的形状属性不符,应以几何参数为准。对CAD等几何编辑程序,该属性应为只写类型。 - - - - Roll - Rotation against the longitudinal axis - relative to the global X direction for all columns that are vertical in regard to the global coordinate system (Profile direction equals global X is Roll = 0.). For all non-vertical columns the following applies: Roll is relative to the global Z direction f(Profile direction of non-vertical columns that equals global Z is Roll = 0.) - -The shape information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the shape properties, provided in the attached property, the geometric parameters take precedence. For geometry editing applications, like CAD: this value should be write-only. - -Note: new property in IFC4 - - - - - - - Drehwinkel - Roll - RotationAutourAxeLongitudinal - 回転 - 转角 - - - Drehwinkel der Stütze relative zur globalen X Ausrichtung (O Grad). Bei nicht-vertikalen Stützen wird die Verdrehung analog zu den Balken (Verkippung gegen die Vertikale) angegeben. - -Dieser Parameter wird zusätzlich zur geometrischen Repräsentation bereitgestellt. Im Fall der Inkonsistenz zwischen dem Parameter und der Geometrie hat die geometrische Repräsention Priorität. Dieser Parameter ist für CAD Software write-only. - - Rotation autour de l'axe longitudinal - relativement à l'axe X pour tous les poteaux qui sont verticaux relativement au repère absolu (la direction du profil est celle de l'axe X si la valeur est 0). Pour tous les poteaux non verticaux, la valeur de la propriété est relative à l'axe Z (la direction du profil des poteaux non verticaux est celle de l'axe Z si la valeur est 0). -Cette propriété est donnée en complément de la représentation de la forme de l'élément et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. Les applications qui déterminent la géométrie comme les logiciels de CAO ne doivent pas autoriser la modification de cette propriété. Note : nouvelle propriété de la version IFC2x4. - 柱の長軸に対する回転。 - 相对于纵轴的旋转角。对全局坐标系中的垂直柱,该属性为相对于X轴的角度。(若轮廓方向在X轴上,则转角为0。)对全局坐标系中的非垂直柱,该属性为相对于Z轴的角度。(若轮廓方向在Z轴上,则转角为0。) -该属性所提供的形状信息是对内部形状描述和几何参数的补充。如果几何参数与该属性所提供的形状属性不符,应以几何参数为准。对CAD等几何编辑程序,该属性应为只写类型。 -注:IFC2x4新添属性 - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external element and faces the outside of the building. - - - - - - - Außenbauteil - Is External - EstExterieur - 外部区分 - 是否外部构件 - - - Angabe, ob dieses Bauteil ein Aussenbauteil ist (JA) oder ein Innenbauteil (NEIN). Als Aussenbauteil grenzt es an den Aussenraum (oder Erdreich, oder Wasser). - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - 外部の部材かどうかを示すブーリアン値。もしTRUEの場合、外部の部材で建物の外側に面している。 - 表示该图元是否设计为外部构件。若是,则该图元为外部图元,朝向建筑物的外部。 - - - - ThermalTransmittance - Thermal transmittance coefficient (U-Value) of the element. Here the total thermal transmittance coefficient through the column within the direction of the thermal flow (including all materials). - -Nore: new property in IFC4 - - - - - - - U-Wert - Thermal Transmittance - TransmissionThermique - 熱貫流率 - 导热系数 - - - Wärmedurchgangskoeffizient (U-Wert) der Materialschichten. -Hier der Gesamtwärmedurchgangskoeffizient des Balkens (in Richtung des Wärmeflusses), angegeben ohne den inneren und äußeren Wärmeübergangswiderstand. - - Coefficient de transmission thermique surfacique (U). C'est le coefficient global de transmission thermique à travers le poteau dans la direction du flux thermique (tous matériaux inclus). Nouvelle propriété de la version 2x4. - 熱貫流率U値。ここでは柱を通した熱移動の方向における全体の熱還流率を示す。 - 材料的导热系数(U值)。 - -表示该柱在传热方向上的整体导热系数(包括所有材料)。 - -注:IFC2x4新添属性 - - - - LoadBearing - Indicates whether the object is intended to carry loads (TRUE) or not (FALSE). - - - - - - - Tragendes Bauteil - Load Bearing - Porteur - 耐力部材 - 是否承重 - - - Angabe, ob dieses Bauteil tragend ist (JA) oder nichttragend (NEIN) - - Indique si l'objet est censé porter des charges (VRAI) ou non (FAUX). - 荷重に関係している部材かどうかを示すブーリアン値。 - 表示该对象是否需要承重。 - - - - FireRating - Fire rating for the element. -It is given according to the national fire safety classification. - - - - - - - Feuerwiderstandsklasse - Fire Rating - ResistanceAuFeu - 耐火等級 - 防火等级 - - - Feuerwiderstandasklasse gemäß der nationalen oder regionalen Brandschutzverordnung. - - Classement au feu de l'élément donné selon la classification nationale de sécurité incendie. - 主要な耐火等級。関連する建築基準法、消防法などの国家基準を参照。 - 该构件的防火等级。 -该属性的依据为国家防火安全分级。 - - - - - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de la classe IfcColumn - IfcColumn(柱)オブジェクトに関する共通プロパティセット定義。 - 所有IfcColumn实例的定义中通用的属性。 - - - - - Pset_CommunicationsAppliancePHistory - Captures realtime information for communications devices, such as for server farm energy usage. HISTORY: Added in IFC4. - - - IfcCommunicationsAppliance - - IfcCommunicationsAppliance - - - PowerState - Indicates the power state of the device where True is on and False is off. - - - - - Power State - - - - - - - - - - - - - Pset_CommunicationsApplianceTypeCommon - Common properties for communications appliances. HISTORY: Added in IFC4. - - - IfcCommunicationsAppliance - - IfcCommunicationsAppliance - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - 当該プロジェクトで定義する形式の参照ID(例:A-1)、承認された分類に存在しないときに使用される。 - 해당 프로젝트에 정의된 형식의 참조 ID (예 : A-1) 승인된 분류에 존재하지 않을 때 사용된다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - 通信機器の共通プロパティ。 -IFC4にて追加。 - - - - - Pset_CompressorPHistory - Compressor performance history attributes. - - - IfcCompressor - - IfcCompressor - - - CompressorCapacity - The product of the ideal capacity and the overall volumetric efficiency of the compressor. - - - - - Compressor Capacity - PuissanceCompresseur - - - - Le produit de la puissance optimale par le rendement global du compresseur. - - - - EnergyEfficiencyRatio - Energy efficiency ratio (EER). - - - - - Energy Efficiency Ratio - CoefficientEfficacitéThermique - - - - EER, coefficient d'efficacité Thermique - - - - CoefficientOfPerformance - Coefficient of performance (COP). - - - - - Coefficient Of Performance - CoefficientPerformance - - - - Coefficient de performance (COP). - - - - VolumetricEfficiency - Ratio of the actual volume of gas entering the compressor to the theoretical displacement of the compressor. - - - - - Volumetric Efficiency - RendementVolumétrique - - - - Rapport entre le volume effectif de gaz rentrant dans le compresseur et le volume déplacé théorique du compresseur. - - - - CompressionEfficiency - Ratio of the work required for isentropic compression of the gas to the work delivered to the gas within the compression volume (as obtained by measurement). - - - - - Compression Efficiency - RendementCompression - - - - Rapport entre le travail requis pour une compression isentropique du gaz et le travail fourni au gaz dans le volume comprimé (telq qu'obtenu par mesure). - - - - MechanicalEfficiency - Ratio of the work (as measured) delivered to the gas to the work input to the compressor shaft. - - - - - Mechanical Efficiency - RendementMécanique - - - - Rapport entre le travail fourni (tel que mesuré) au gaz et le travail fourni à l'arbre du compresseur. - - - - IsentropicEfficiency - Ratio of the work required for isentropic compression of the gas to work input to the compressor shaft. - - - - - Isentropic Efficiency - RendementIsentropique - - - - Rapport entre le travail requis pour une compression isentropique du gaz et le travail fourni à l'arbre du compresseur. - - - - CompressorTotalEfficiency - Ratio of the thermal cooling capacity to electrical input. - - - - - Compressor Total Efficiency - RendementGlobalIsentropique - - - - Rapport entre la puissance frigorifique et l'énergie électrique absorbée. - - - - ShaftPower - The actual shaft power input to the compressor. - - - - - Shaft Power - PuissanceArbre - - - - La puissance mécanique appliquée au niveau de l'arbre du compresseur. - - - - InputPower - Input power to the compressor motor. - - - - - Input Power - PuissanceEntréeMoteur - - - - Puissance fournie au moteur du compresseur. - - - - LubricantPumpHeatGain - Lubricant pump heat gain. - - - - - Lubricant Pump Heat Gain - GainThermiqueLubrifiantPompe - - - - Gain thermique par lubrification de la pompe à chaleur. - - - - FrictionHeatGain - Friction heat gain. - - - - - Friction Heat Gain - GainThermiqueFriction - - - - Gain thermique par friction. - - - - CompressorTotalHeatGain - Compressor total heat gain. - - - - - Compressor Total Heat Gain - GainThermiqueTotalCompresseur - - - - Gain thermique total au niveau du compresseur. - - - - FullLoadRatio - Ratio of actual power to full load power as a quadratic function of part load, at certain condensing and evaporating temperature, FracFullLoadPower = f ( PartLoadRatio). - - - - - Full Load Ratio - CoefficientChargeTotale - - - - Rapport entre puissance actuelle sur la puissance à pleine charge, comme fonction quadratique de la charge partielle, à une température de condensation et une température d'évaporation donnée, FracFullLoadPower = f (RapportChargePartielle). - - - - - - - - - - Pset_CompressorTypeCommon - Compressor type common attributes. - - - IfcCompressor - - IfcCompressor - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - Référence - 参照記号 - - - - Identification de référence pour ce type spécifique à ce projet, c'est-à-dire type'A-1', fourni à partir du moment où, s'il n'y a pas de référence de classification par rapport à un système de classification reconnu et en usage. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Etat - 状態 - - - - Etat de l'élément, utilisé avant tout pour les projets de rénovation et réaménagement. L'état assigné peut être "Nouveau" - l'élément prévu pour du neuf, "Existant" - l'élément existait et est maintenu, "Démoli" - l'élément existait mais doit être démoli/supprimé, "Provisoire" - l'élément existera à titre provisoire seulement (comme un support structurel par exemple). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - PowerSource - Type of power driving the compressor. - - - - MOTORDRIVEN - ENGINEDRIVEN - GASTURBINE - OTHER - NOTKNOWN - UNSET - - - - MOTORDRIVEN - - Motor Driven - - - - - - - ENGINEDRIVEN - - Engine Driven - - - - - - - GASTURBINE - - Gas Turbine - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Power Source - SourcePuissance - - - - Type de puissance fournie au compresseur - - - - RefrigerantClass - Refrigerant class used by the compressor. - -CFC: Chlorofluorocarbons. -HCFC: Hydrochlorofluorocarbons. -HFC: Hydrofluorocarbons. - - - - CFC - HCFC - HFC - HYDROCARBONS - AMMONIA - CO2 - H2O - OTHER - NOTKNOWN - UNSET - - - - CFC - - CFC - - - Chlorofluorocarbons - - - - HCFC - - HCFC - - - Hydrochlorofluorocarbons - - - - HFC - - HFC - - - Hydrofluorocarbons - - - - HYDROCARBONS - - Hydrocarbons - - - - - - - AMMONIA - - Ammonia - - - - - - - CO2 - - CO2 - - - - - - - H2O - - H2O - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Refrigerant Class - ClasseRéfrigérant - - - - Classe de réfrigérant utilisé par le compresseur. - -CFC -HCFC -HFC - - - - MinimumPartLoadRatio - Minimum part load ratio as a fraction of nominal capacity. - - - - - - - Minimum Part Load Ratio - CoefficientMinimalChargePartielle - - - - Coefficient minimum de charge partielle en tant que fraction de la puissance nominale. - - - - MaximumPartLoadRatio - Maximum part load ratio as a fraction of nominal capacity. - - - - - - - Maximum Part Load Ratio - CoefficientMaximalChargePartielle - - - - Coefficient maximal de charge partielle en tant que fraction de la puissance nominale. - - - - CompressorSpeed - Compressor speed. - - - - - - - Compressor Speed - VitesseCompresseur - - - - Vitesse du compresseur - - - - NominalCapacity - Compressor nameplate capacity. - - - - - - - Nominal Capacity - PuissanceCompresseur - - - - Puissance du compresseur au niveau de sa plaque. - - - - IdealCapacity - Compressor capacity under ideal conditions. - - - - - - - Ideal Capacity - PuissanceMaximale - - - - Puissance maximale sous des conditions idéales - - - - IdealShaftPower - Compressor shaft power under ideal conditions. - - - - - - - Ideal Shaft Power - PuissanceArbreMaximale - - - - Puissance au niveau de l'arbre du compresseur sous conditions idéales. - - - - HasHotGasBypass - Whether or not hot gas bypass is provided for the compressor. TRUE = Yes, FALSE = No. - - - - - - - Has Hot Gas Bypass - PossedeBypassGazChaud - - - - Qu'il y ait ou non un bypass du gaz chaud fourni au niveau du compresseur, VRAI= oui, FAUX= Non. - - - - ImpellerDiameter - Diameter of compressor impeller - used to scale performance of geometrically similar compressors. - - - - - - - Impeller Diameter - DiametreRotor - - - - Diamètre du rotor du compresseur - utilisé pour dimensionner les performances des compresseurs géométriquement similaires. - - - - - - コンプレッサー型の共通プロパティ属性設定。 - - - - - Pset_ConcreteElementGeneral - General properties common to different types of concrete elements, including reinforced concrete elements. The property set can be used by a number of subtypes of IfcBuildingElement, indicated that such element is designed or constructed using a concrete construction method. - - - IfcBeam - IfcBuildingElementProxy - IfcChimney - IfcColumn - IfcFooting - IfcMember - IfcPile - IfcPlate - IfcRailing - IfcRamp - IfcRampFlight - IfcRoof - IfcSlab - IfcStair - IfcStairFlight - IfcWall - IfcCivilElement - - IfcBeam,IfcBuildingElementProxy,IfcChimney,IfcColumn,IfcFooting,IfcMember,IfcPile,IfcPlate,IfcRailing,IfcRamp,IfcRampFlight,IfcRoof,IfcSlab,IfcStair,IfcStairFlight,IfcWall,IfcCivilElement - - - ConstructionMethod - Designator for whether the concrete element is constructed on site or prefabricated. Allowed values are: 'In-Situ' vs 'Precast'. - - - - - - - Ausführung - Construction Method - - - Angabe, ob dieses Betonbauteil als Ortbeton ("In-Situ") oder als Fertigteil ("Precast") ausgeführt werden soll. - - - - - StructuralClass - The structural class defined for the concrete structure (e.g. '1'). - - - - - - - Structural Class - 構造クラス - 구조 클래스 - - - - 構造クラスはコンクリート構造を定義した。(例えば「1」) - 구조 클래스는 콘크리트 구조를 정의했다 (예를 들어 "1") - - - - StrengthClass - Classification of the concrete strength in accordance with the concrete design code which is applied in the project. - - - - - - - Betonfestigkeitsklasse - Strength Class - - - Klassifikation der Betonfestigkeit gemäß der aktuellen, im Projekt angewandten, Norm. - - - - - ExposureClass - Classification of exposure to environmental conditions, usually specified in accordance with the concrete design code which is applied in the project. - - - - - - - Expositionsklasse - Exposure Class - - - Klassifikation der Widerstandsfähigkeit gegenüber chemischen und physikalischen Einwirkungen gemäß der aktuellen, im Projekt angewandten, Norm. - - - - - ReinforcementVolumeRatio - The required ratio of the effective mass of the reinforcement to the effective volume of the concrete of a reinforced concrete structural element. - - - - - - - Bewehrungsgrad Volumen - Reinforcement Volume Ratio - - - Das geforderte Verhältnis der effektiven Masse der Bewehrung im Verhältnis zur effektiven Masse des Betons für dieses Element. - - - - - ReinforcementAreaRatio - The required ratio of the effective area of the reinforcement to the effective area of the concrete At any section of a reinforced concrete structural element. - - - - - - - Bewehrungsgrad Fläche - Reinforcement Area Ratio - - - Das geforderte Verhältnis der effektiven flächenbezogenen Masse der Bewehrung im Verhältnis zur effektiven Fläche des Betons für dieses Element. - - - - - DimensionalAccuracyClass - Classification designation of the dimensional accuracy requirement according to local standards. - - - - - - - Dimensional Accuracy Class - 寸法精度クラス - 치수 정밀도 클래스 - - - - 国の基準が求める寸法精度の分類指定。 - 국가 표준이 요구하는 치수 정밀도의 분류 지정 - - - - ConstructionToleranceClass - Classification designation of the on-site construction tolerances according to local standards. - - - - - - - Construction Tolerance Class - 製造許容クラス - 제조 허용 클래스 - - - - 国の基準が求める現場での製造許容の分類指定。 - 국가 표준이 요구하는 현장에서 제조 허용 범주 지정 - - - - ConcreteCover - The protective concrete cover at the reinforcing bars according to local building regulations. - - - - - - - Betonüberdeckung - Concrete Cover - - - Abstand zwischen der Betonoberfläche und der Außenkante einer vom Beton umhüllten Bewehrung. - - - - - ConcreteCoverAtMainBars - The protective concrete cover at the main reinforcing bars according to local building regulations. - - - - - - - Betonüberdeckung Hauptstäbe - Concrete Cover At Main Bars - 主筋のコンクリート被り - 주근 콘크리트 입고 - - - Abstand zwischen der Betonoberfläche und der Außenkante den vom Beton umhüllten Bewehrungshauptstäben. - - 国の建築基準に従い、主鉄筋をコンクリートの被りで保護する。 - 국가의 건축 기준에 따라 주로 철근을 콘크리트 입고로 보호 - - - - ConcreteCoverAtLinks - The protective concrete cover at the reinforcement links according to local building regulations. - - - - - - - Betonüberdeckung Verbindungsstäbe - Concrete Cover At Links - 補強筋のコンクリート被り - 보강근 콘크리트 입고 - - - Abstand zwischen der Betonoberfläche und der Außenkante der vom Beton umhüllten Bewehrungsverbindungsstäben. - - 国の建築基準に従い、補強筋をコンクリートの被りで保護する。 - 국가의 건축 기준에 따라 보강근 콘크리트의 입고로 보호 - - - - ReinforcementStrengthClass - Classification of the reinforcement strength in accordance with the concrete design code which is applied in the project. The reinforcing strength class often combines strength and ductility. - - - - - - - Reinforcement Strength Class - - - - - - - - Generelle Eigenschaften die allen Betonbauteilen, einschließlich Stahlbetonbauteilen, gemeinsam sind. Dieser Eigenschaftssatz kann den verschiedenen Bauelementklassen (Subtypen von IfcBuildingElement) zugeordnet werden. - - コンクリート要素の異なるタイプに対する共通の一般的な属性。 Pset は IfcBuildingElement の多くのサブタイプによって使うことができる。 - - - - - Pset_CondenserPHistory - Condenser performance history attributes. - - - IfcCondenser - - IfcCondenser - - - HeatRejectionRate - Sum of the refrigeration effect and the heat equivalent of the power input to the compressor. - - - - - Heat Rejection Rate - - - - - - - ExteriorHeatTransferCoefficient - Exterior heat transfer coefficient associated with exterior surface area. - - - - - Exterior Heat Transfer Coefficient - - - - - - - InteriorHeatTransferCoefficient - Interior heat transfer coefficient associated with interior surface area. - - - - - Interior Heat Transfer Coefficient - - - - - - - RefrigerantFoulingResistance - Fouling resistance on the refrigerant side. - - - - - Refrigerant Fouling Resistance - - - - - - - CondensingTemperature - Refrigerant condensing temperature. - - - - - Condensing Temperature - - - - - - - LogarithmicMeanTemperatureDifference - Logarithmic mean temperature difference between refrigerant and water or air. - - - - - Logarithmic Mean Temperature Difference - - - - - - - UAcurves - UV = f (VExterior, VInterior), UV as a function of interior and exterior fluid flow velocity at the entrance. - - - - - UAcurves - - - - - - - CompressorCondenserHeatGain - Heat gain between condenser inlet to compressor outlet. - - - - - Compressor Condenser Heat Gain - - - - - - - CompressorCondenserPressureDrop - Pressure drop between condenser inlet and compressor outlet. - - - - - Compressor Condenser Pressure Drop - - - - - - - CondenserMeanVoidFraction - Mean void fraction in condenser. - - - - - Condenser Mean Void Fraction - - - - - - - WaterFoulingResistance - Fouling resistance on water/air side. - - - - - Water Fouling Resistance - - - - - - - - - - - - - Pset_CondenserTypeCommon - Condenser type common attributes. - - - IfcCondenser - - IfcCondenser - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - - - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - - - - RefrigerantClass - Refrigerant class used by the condenser. - -CFC: Chlorofluorocarbons. -HCFC: Hydrochlorofluorocarbons. -HFC: Hydrofluorocarbons. - - - - CFC - HCFC - HFC - HYDROCARBONS - AMMONIA - CO2 - H2O - OTHER - NOTKNOWN - UNSET - - - - CFC - - CFC - - - Chlorofluorocarbons - - - - HCFC - - HCFC - - - Hydrochlorofluorocarbons - - - - HFC - - HFC - - - Hydrofluorocarbons - - - - HYDROCARBONS - - Hydrocarbons - - - - - - - AMMONIA - - Ammonia - - - - - - - CO2 - - CO2 - - - - - - - H2O - - H2O - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Refrigerant Class - - - - - - - ExternalSurfaceArea - External surface area (both primary and secondary area). - - - - - - - External Surface Area - - - - - - - InternalSurfaceArea - Internal surface area. - - - - - - - Internal Surface Area - - - - - - - InternalRefrigerantVolume - Internal volume of condenser (refrigerant side). - - - - - - - Internal Refrigerant Volume - - - - - - - InternalWaterVolume - Internal volume of condenser (water side). - - - - - - - Internal Water Volume - - - - - - - NominalHeatTransferArea - Nominal heat transfer surface area associated with nominal overall heat transfer coefficient. - - - - - - - Nominal Heat Transfer Area - - - - - - - NominalHeatTransferCoefficient - Nominal overall heat transfer coefficient associated with nominal heat transfer area. - - - - - - - Nominal Heat Transfer Coefficient - - - - - - - - - コンデンサー型の共通プロパティ属性設定。 - - - - - Pset_Condition - Determines the state or condition of an element at a particular point in time. - - - IfcElement - - IfcElement - - - AssessmentDate - Date on which the overall condition is assessed - - - - - - - Assessment Date - 評価日 - - - - 全体状況を評価した日。 - - - - AssessmentCondition - The overall condition of a product based on an assessment of the contributions to the overall condition made by the various criteria considered. The meanings given to the values of assessed condition should be agreed and documented by local agreements. For instance, is overall condition measured on a scale of 1 - 10 or by assigning names such as Good, OK, Poor. - - - - - - - Assessment Condition - 評価状態 - - - - 様々な基準を用いた評価による製品に関する全体的な状態。評価された状態値の意味は、ローカル協定によって同意され、文書化されなければならない。例えば、状態を1から10の値で計測したり、Good, Ok, Poor等で表す。 - - - - AssessmentDescription - Qualitative description of the condition. - - - - - - - Assessment Description - 評価記述 - - - - 状態に関する定性的な記述。 - - - - - - ある時点における、FM要素の状態・状況を規定する属性情報。 - - - - - Pset_ConstructionResource - Properties for tracking resource usage over time. - - - IfcConstructionResource - - IfcConstructionResource - - - ScheduleWork - The scheduled work on behalf of the resource allocation. - - - - - Schedule Work - 予定作業時間 - - - - 資源配分のための予定された作業。 - - - - ActualWork - The actual work on behalf of the resource allocation. - - - - - Actual Work - 実績作業時間 - - - - 資源配分のための実績の作業。 - - - - RemainingWork - The remaining work on behalf of the resource allocation. - - - - - Remaining Work - 残存作業時間 - - - - 資源配分のための残存している作業。 - - - - ScheduleCost - The budgeted cost on behalf of the resource allocation. - - - - - Schedule Cost - 予定コスト - - - - 資源配分のための予定されているコスト。 - - - - ActualCost - The actual cost on behalf of the resource allocation. - - - - - Actual Cost - 実績コスト - - - - 資源配分のための実績のコスト。 - - - - RemainingCost - The remaining cost on behalf of the resource allocation. - - - - - Remaining Cost - 残存コスト - - - - 資源配分のための残存しているコスト。 - - - - ScheduleCompletion - The scheduled completion percentage of the allocation. - - - - - Schedule Completion - 予定完了率 - - - - 予定された完了率。 - - - - ActualCompletion - The actual completion percentage of the allocation. - - - - - Actual Completion - 実績完了率 - - - - 実績の完了率。 - - - - - - - - - - Pset_ControllerPHistory - Properties for history of controller values. HISTORY: Added in IFC4. - - - IfcController - - IfcController - - - Value - Indicates values over time which may be recorded continuously or only when changed beyond a particular deadband. The range of possible values is defined by the Value property on the corresponding occurrence property set (Pset_ControllerTypeFloating, Pset_ControllerTypeProportional, Pset_ControllerTypeMultiPosition, or Pset_ControllerTypeTwoPosition). - - - - - Value - デフォルト出力時系列定数 - 이상 출력 시계열 상수 - - - - 時間とともに値を示す。 -Pset_ControllerTypeValue.Valueに対応 -※ 設定可能情報は IfcTimeSeriesプロパティ参照 - 시간이 지남에 오류 상태를 나타내는 Pset_ControllerTypeValue.Fault에 대응 ※ 설정 가능한 정보는 IfcTimeSeries 속성 참조 - - - - Quality - Indicates the quality of measurement or failure condition, which may be further qualified by the Status. True: measured values are considered reliable; False: measured values are considered not reliable (i.e. a fault has been detected); Unknown: reliability of values is uncertain. - - - - - Quality - 기본 출력 시계열 상수 - - - - 시간이 지남에 값을 나타내는 Pset_ControllerTypeValue.Value에 대응 ※ 설정 가능한 정보는 IfcTimeSeries 속성 참조 - - - - Status - Indicates an error code or identifier, whose meaning is specific to the particular automation system. Example values include: 'ConfigurationError', 'NotConnected', 'DeviceFailure', 'SensorFailure', 'LastKnown, 'CommunicationsFailure', 'OutOfService'. - - - - - Status - - - - - - - - - コントローラの性能履歴属性。 -IFC4 にて新規追加。 - - - - - Pset_ControllerTypeCommon - Controller type common attributes. - - - IfcController - - IfcController - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照記号 - 참조ID - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 해당 프로젝트에서 사용이 유형에 대한 참조 ID (예 : 'A-1') ※ 기본이있는 경우 그 기호를 사용 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - コントローラ共通属性。 - - - - - Pset_ControllerTypeFloating - Properties for signal handling for an analog controller taking disparate valued multiple inputs and creating a single valued output. HISTORY: IFC4 adapted from Pset_ControllerTypeCommon and applicable predefined type made specific to FLOATING; ACCUMULATOR and PULSECONVERTER types added; additional properties added to replace Pset_AnalogInput and Pset_AnalogOutput. - - - IfcController/FLOATING - - IfcController/FLOATING - - - ControlType - The type of signal modification effected and applicable ports: - -CONSTANT: No inputs; SignalOffset is written to the output value. -MODIFIER: Single analog input is read, added to SignalOffset, multiplied by SignalFactor, and written to the output value. -ABSOLUTE: Single analog input is read and absolute value is written to the output value. -INVERSE: Single analog input is read, 1.0 is divided by the input value and written to the output value. -HYSTERISIS: Single analog input is read, delayed according to SignalTime, and written to the output value. -RUNNINGAVERAGE: Single analog input is read, averaged over SignalTime, and written to the output value. -DERIVATIVE: Single analog input is read and the rate of change during the SignalTime is written to the output value. -INTEGRAL: Single analog input is read and the average value during the SignalTime is written to the output value. -BINARY: Single binary input is read and SignalOffset is written to the output value if True. -ACCUMULATOR: Single binary input is read, and for each pulse the SignalOffset is added to the accumulator, and while the accumulator is greater than the SignalFactor, the accumulator is decremented by SignalFactor and the integer result is incremented by one. -PULSECONVERTER: Single integer input is read, and for each increment the SignalMultiplier is added and written to the output value. -SUM: Two analog inputs are read, added, and written to the output value. -SUBTRACT: Two analog inputs are read, subtracted, and written to the output value. -PRODUCT: Two analog inputs are read, multiplied, and written to the output value. -DIVIDE: Two analog inputs are read, divided, and written to the output value. -AVERAGE: Two analog inputs are read and the average is written to the output value. -MAXIMUM: Two analog inputs are read and the maximum is written to the output value. -MINIMUM: Two analog inputs are read and the minimum is written to the output value.. -INPUT: Controller element is a dedicated input. -OUTPUT: Controller element is a dedicated output. -VARIABLE: Controller element is an in-memory variable. - - - - CONSTANT - MODIFIER - ABSOLUTE - INVERSE - HYSTERESIS - RUNNINGAVERAGE - DERIVATIVE - INTEGRAL - BINARY - ACCUMULATOR - PULSECONVERTER - LOWERLIMITCONTROL - UPPERLIMITCONTROL - SUM - SUBTRACT - PRODUCT - DIVIDE - AVERAGE - MAXIMUM - MINIMUM - REPORT - SPLIT - INPUT - OUTPUT - VARIABLE - OTHER - NOTKNOWN - UNSET - - - - CONSTANT - - Constant - - - No inputs - - - - MODIFIER - - Modifier - - - Single analog input is read, added to SignalOffset, multiplied by SignalFactor, and written to the output value - - - - ABSOLUTE - - Absolute - - - Single analog input is read and absolute value is written to the output value - - - - INVERSE - - Inverse - - - Single analog input is read, 1 - - - - HYSTERESIS - - Hysteresis - - - - - - - RUNNINGAVERAGE - - Running Average - - - Single analog input is read, averaged over SignalTime, and written to the output value - - - - DERIVATIVE - - Derivative - - - Single analog input is read and the rate of change during the SignalTime is written to the output value - - - - INTEGRAL - - Integral - - - Single analog input is read and the average value during the SignalTime is written to the output value - - - - BINARY - - Binary - - - Single binary input is read and SignalOffset is written to the output value if True - - - - ACCUMULATOR - - Accumulator - - - Single binary input is read, and for each pulse the SignalOffset is added to the accumulator, and while the accumulator is greater than the SignalFactor, the accumulator is decremented by SignalFactor and the integer result is incremented by one - - - - PULSECONVERTER - - Pulse Converter - - - Single integer input is read, and for each increment the SignalMultiplier is added and written to the output value - - - - LOWERLIMITCONTROL - - Lower Limit Control - - - - - - - UPPERLIMITCONTROL - - Upper Limit Control - - - - - - - SUM - - Sum - - - Two analog inputs are read, added, and written to the output value - - - - SUBTRACT - - Subtract - - - Two analog inputs are read, subtracted, and written to the output value - - - - PRODUCT - - Product - - - Two analog inputs are read, multiplied, and written to the output value - - - - DIVIDE - - Divide - - - Two analog inputs are read, divided, and written to the output value - - - - AVERAGE - - Average - - - Single analog input is read, averaged over SignalTime, and written to the output value - - - - MAXIMUM - - Maximum - - - Two analog inputs are read and the maximum is written to the output value - - - - MINIMUM - - Minimum - - - Two analog inputs are read and the minimum is written to the output value - - - - REPORT - - Report - - - - - - - SPLIT - - Split - - - - - - - INPUT - - Input - - - Controller element is a dedicated input - - - - OUTPUT - - Output - - - Controller element is a dedicated output - - - - VARIABLE - - Variable - - - Controller element is an in-memory variable - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Control Type - FLOATING 유형 - - - - 컨트롤러는 항상 하나의 출력 포트와 가변 입력 포트 유형에 따라있는 한결 : output = SignalOffset 수정자 : output = input * SignalFactor + SignalOffset 절대치 : output = | input | 역수 : output = 1.0 / input 지연 : output = 지연 (input, SignalTime 후) 이동 평균 : output = 평균 (inputN, SignalTime 사이) 미분 : output = 미분 (inputN, SignalTime 사이) 적분 : output = 적분 (inputN, SignalTime 사이) 바이너리 : output = SignalOffset ※ input = TRUE의 경우 누적 : output = accumulator ※ accumulator = 펄스 카운트 * SignalOffset ※ if (accumulator> SignalFactor) accumulator - = SignalFactor ??? 펄스 카운터 : output = input * SignalMultiplier ※ input 펄스 카운트, SignalMultiplier은 원인 불명 ??? 총 : output = input1 + input2 뺄셈 : output = input1 - input2 적립 : output = input1 * input2 나누기 : output = input1 / input2 평균 : output = (input1 + input2) / 2 최대 : output = input1 or input2 ※보다 큰 최소 : output = input1 or input2 ※보다 작은 - - - - Labels - Table mapping values to labels, where such labels indicate transition points such as 'Hi', 'Lo', 'HiHi', or 'LoLo'. - - - - - - - - - - - - - Labels - - - - - - - Range - The physical range of values supported by the device. - - - - - - - Range - - - - - - - Value - The expected range and default value. While the property data type is IfcReal (to support all cases including when the units are unknown), a unit may optionally be provided to indicate the measure and unit. The LowerLimitValue and UpperLimitValue must fall within the physical Range and may be used to determine extents when charting Pset_ControllerPHistory.Value. - - - - - - - Value - - - - - - - SignalOffset - Offset constant added to modfied signal. - - - - - - - Signal Offset - 옵셋 - - - - 오프셋 상수 변경 신호에 추가됨 - - - - SignalFactor - Factor multiplied onto offset signal. - - - - - - - Signal Factor - 요소 - - - - 인자는 오프셋 신호 곱셈 - - - - SignalTime - Time factor used for integral and running average controllers. - - - - - - - Signal Time - 시간 요소 - - - - 시간 요소는 INTEGRAL (적분)과 AVERAGE ((이동) 평균) 컨트롤러에 사용됨 - - - - - - - - - - Pset_ControllerTypeMultiPosition - Properties for discrete inputs, outputs, and values within a programmable logic controller. HISTORY: New in IFC4, replaces Pset_MultiStateInput and Pset_MultiStateOutput. - - - IfcController/MULTIPOSITION - - IfcController/MULTIPOSITION - - - ControlType - The type of signal modification effected and applicable ports: - -INPUT: Controller element is a dedicated input. -OUTPUT: Controller element is a dedicated output. -VARIABLE: Controller element is an in-memory variable. - - - - INPUT - OUTPUT - VARIABLE - OTHER - NOTKNOWN - UNSET - - - - INPUT - - Input - - - Controller element is a dedicated input - - - - OUTPUT - - Output - - - Controller element is a dedicated output - - - - VARIABLE - - Variable - - - Controller element is an in-memory variable - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Control Type - - - - - - - Labels - Table mapping values to labels, where each entry corresponds to an integer within the ValueRange. - - - - - - - - - - - - - Labels - - - - - - - Range - The physical range of values supported by the device. - - - - - - - Range - - - - - - - Value - The expected range and default value. The LowerLimitValue and UpperLimitValue must fall within the physical Range. - - - - - - - Value - - - - - - - - - - - - - Pset_ControllerTypeProgrammable - Properties for Discrete Digital Control (DDC) or programmable logic controllers. HISTORY: Added in IFC4. - - - IfcController/PROGRAMMABLE - - IfcController/PROGRAMMABLE - - - ControlType - The type of discrete digital controller: - -PRIMARY: Controller has built-in communication interface for PC connection, may manage secondary controllers. -SECONDARY: Controller communicates with primary controller and its own managed devices. - - - - PRIMARY - SECONDARY - OTHER - NOTKNOWN - UNSET - - - - PRIMARY - - Primary - - - Controller has built-in communication interface for PC connection, may manage secondary controllers - - - - SECONDARY - - Secondary - - - Controller communicates with primary controller and its own managed devices - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Control Type - - - - - - - FirmwareVersion - Indicates version of device firmware according to device manufacturer. - - - - - - - Firmware Version - 펌웨어 버전 - - - - 컨트롤러 펌웨어 버전 - - - - SoftwareVersion - Indicates version of application software according to systems integrator. - - - - - - - Software Version - 소프트웨어 버전 - - - - 컨트롤러 소프트웨어 버전 - - - - Application - Indicates application of controller. - - - - ModemController - TelephoneDirectory - FanCoilUnitController - RoofTopUnitController - UnitVentilatorController - SpaceConfortController - VAV - PumpController - BoilerController - DischargeAirController - OccupancyController - ConstantLightController - SceneController - PartitionWallController - RealTimeKeeper - RealTimeBasedScheduler - LightingPanelController - SunblindController - OTHER - NOTKNOWN - UNSET - - - - MODEMCONTROLLER - - Modem Controller - - - - - - - TELEPHONEDIRECTORY - - Telephone Directory - - - - - - - FANCOILUNITCONTROLLER - - Fan Coil Unit Controller - - - - - - - ROOFTOPUNITCONTROLLER - - Roof Top Unit Controller - - - - - - - UNITVENTILATORCONTROLLER - - Unit Ventilator Controller - - - - - - - SPACECONFORTCONTROLLER - - Space Confort Controller - - - - - - - VAV - - VAV - - - - - - - PUMPCONTROLLER - - Pump Controller - - - - - - - BOILERCONTROLLER - - Boiler Controller - - - - - - - DISCHARGEAIRCONTROLLER - - Discharge Air Controller - - - - - - - OCCUPANCYCONTROLLER - - Occupancy Controller - - - - - - - CONSTANTLIGHTCONTROLLER - - Constant Light Controller - - - - - - - SCENECONTROLLER - - Scene Controller - - - - - - - PARTITIONWALLCONTROLLER - - Partition Wall Controller - - - - - - - REALTIMEKEEPER - - Real Time Keeper - - - - - - - REALTIMEBASEDSCHEDULER - - Real Time Based Scheduler - - - - - - - LIGHTINGPANELCONTROLLER - - Lighting Panel Controller - - - - - - - SUNBLINDCONTROLLER - - Sunblind Controller - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Application - - - - - - - - - - - - - Pset_ControllerTypeProportional - Properties for signal handling for an proportional controller taking setpoint and feedback inputs and creating a single valued output. HISTORY: In IFC4, SignalFactor1, SignalFactor2 and SignalFactor3 changed to ProportionalConstant, IntegralConstant and DerivativeConstant. SignalTime1 and SignalTime2 changed to SignalTimeIncrease and SignalTimeDecrease. - - - IfcController/PROPORTIONAL - - IfcController/PROPORTIONAL - - - ControlType - The type of signal modification. -PROPORTIONAL: Output is proportional to the control error. The gain of a proportional control (Kp) will have the effect of reducing the rise time and reducing , but never eliminating, the steady-state error of the variable controlled. -PROPORTIONALINTEGRAL: Part of the output is proportional to the control error and part is proportional to the time integral of the control error. Adding the gain of an integral control (Ki) will have the effect of eliminating the steady-state error of the variable controlled, but it may make the transient response worse. -PROPORTIONALINTEGRALDERIVATIVE: Part of the output is proportional to the control error, part is proportional to the time integral of the control error and part is proportional to the time derivative of the control error. Adding the gain of a derivative control (Kd) will have the effect of increasing the stability of the system, reducing the overshoot, and improving the transient response of the variable controlled. - - - - PROPORTIONAL - PROPORTIONALINTEGRAL - PROPORTIONALINTEGRALDERIVATIVE - OTHER - NOTKNOWN - UNSET - - - - PROPORTIONAL - - Proportional - - - Output is proportional to the control error - - - - PROPORTIONALINTEGRAL - - Proportional Integral - - - Part of the output is proportional to the control error and part is proportional to the time integral of the control error - - - - PROPORTIONALINTEGRALDERIVATIVE - - Proportional Integral Derivative - - - Part of the output is proportional to the control error, part is proportional to the time integral of the control error and part is proportional to the time derivative of the control error - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Control Type - PROPORTIONAL 유형 - - - - 신호 변경 유형 P (비례), I (적분), D (미분)의 조합 PROPORTIONAL : P (비례) 제어 PROPORTIONALINTEGRAL : PI (비례 적분) 제어 PROPORTIONALINTEGRALDERIVATIVE : PID (비례 적분 미분) 제어 - - - - Labels - Table mapping values to labels, where such labels indicate transition points such as 'Hi', 'Lo', 'HiHi', or 'LoLo'. - - - - - - - - - - - - - Labels - - - - - - - Range - The physical range of values. - - - - - - - Range - - - - - - - Value - The expected range and default value. While the property data type is IfcReal (to support all cases including when the units are unknown), a unit may optionally be provided to indicate the measure and unit. - - - - - - - Value - - - - - - - ProportionalConstant - The proportional gain factor of the controller (usually referred to as Kp). - - - - - - - Proportional Constant - 비례 게인 (Kp) - - - - 비례 게인 (Kp) - - - - IntegralConstant - The integral gain factor of the controller (usually referred to as Ki). Asserted where ControlType is PROPORTIONALINTEGRAL or PROPORTIONALINTEGRALDERIVATIVE. - - - - - - - Integral Constant - 적분 게인 (Ki) - - - - 적분 게인 (Ki) - - - - DerivativeConstant - The derivative gain factor of the controller (usually referred to as Kd). Asserted where ControlType is PROPORTIONALINTEGRALDERIVATIVE. - - - - - - - Derivative Constant - 미분 게인 (Kd) - - - - 미분 게인 (Kd) - - - - SignalTimeIncrease - Time factor used for exponential increase. - - - - - - - Signal Time Increase - 적분 시간 (Ti) - - - - 적분 시간 (Ti) - - - - SignalTimeDecrease - Time factor used for exponential decrease. - - - - - - - Signal Time Decrease - 미분 시간 (Td) - - - - 미분 시간 (Td) - - - - - - - - - - Pset_ControllerTypeTwoPosition - Properties for signal handling for an analog controller taking disparate valued multiple inputs and creating a single valued binary output. HISTORY: In IFC4, extended properties to replace Pset_BinaryInput and Pset_BinaryOutput. - - - IfcController/TWOPOSITION - - IfcController/TWOPOSITION - - - ControlType - The type of signal modification effected and applicable ports: - -LOWERLIMITSWITCH: Single analog input is read and if less than Value.LowerBound then True is written to the output value. -UPPERLIMITSWITCH: Single analog input is read and if more than Value.UpperBound then True is written to the output value. -LOWERBANDSWITCH: Single analog input is read and if less than Value.LowerBound+BandWidth then True is written to the output value. -UPPERBANDSWITCH: Single analog input is read and if more than Value.UpperBound-BandWidth then True is written to the output value. -NOT: Single binary input is read and the opposite value is written to the output value. -AND: Two binary inputs are read and if both are True then True is written to the output value. -OR: Two binary inputs are read and if either is True then True is written to the output value. -XOR: Two binary inputs are read and if one is true then True is written to the output value. -CALENDAR: No inputs; the current time is compared with an IfcWorkCalendar to which the IfcController is assigned and True is written if active. -INPUT: Controller element is a dedicated input. -OUTPUT: Controller element is a dedicated output. -VARIABLE: Controller element is an in-memory variable. - - - - NOT - AND - OR - XOR - LOWERLIMITSWITCH - UPPERLIMITSWITCH - LOWERBANDSWITCH - UPPERBANDSWITCH - AVERAGE - CALENDAR - INPUT - OUTPUT - VARIABLE - OTHER - NOTKNOWN - UNSET - - - - NOT - - Not - - - Single binary input is read and the opposite value is written to the output value - - - - AND - - And - - - Two binary inputs are read and if both are True then True is written to the output value - - - - OR - - Or - - - Two binary inputs are read and if either is True then True is written to the output value - - - - XOR - - Xor - - - Two binary inputs are read and if one is true then True is written to the output value - - - - LOWERLIMITSWITCH - - Lower Limit Switch - - - Single analog input is read and if less than Value - - - - UPPERLIMITSWITCH - - Upper Limit Switch - - - Single analog input is read and if more than Value - - - - LOWERBANDSWITCH - - Lower Band Switch - - - Single analog input is read and if less than Value - - - - UPPERBANDSWITCH - - Upper Band Switch - - - Single analog input is read and if more than Value - - - - AVERAGE - - Average - - - - - - - CALENDAR - - Calendar - - - No inputs - - - - INPUT - - Input - - - Controller element is a dedicated input - - - - OUTPUT - - Output - - - Controller element is a dedicated output - - - - VARIABLE - - Variable - - - Controller element is an in-memory variable - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Control Type - TWOPOSITION 유형 - - - - 신호 변경 유형 리미트 스위치가 범위를 Pset_ControllerTypeValue 값을 묶여 속성에 의해 결정 하한 : if (Value.LowerBound> Input) output = TRUE 상한 : if (Value.UpperBound <Input) output = TRUE 하한 + 불감대 : if (Value.LowerBound + BandWidth> Input) output = TRUE 최대 - 불감대 : if (Value.UpperBound - BandWidth <Input) output = TRUE 논리 부정 : output = NOT (input) 논리적 : output = AND (input1, input2) 논리합 : output = OR (input, input2) 배타적 논리합 : output = XOR (input, input2) 달력 : output = TRUE ※ 컨트롤러에 입력없이하고 IfcWorkCalendar 컨트롤러가 할당되어 현재 시간인 경우 - - - - Labels - Table mapping values to labels, where such labels indicate the meanings of True and False, such as 'Open' and 'Closed' - - - - - - - - - - - - - Labels - - - - - - - Polarity - True indicates normal polarity; False indicates reverse polarity. - - - - - - - Polarity - - - - - - - Value - The default value such as normally-closed or normally-open. - - - - - - - Value - - - - - - - - - - - - - Pset_CooledBeamPHistory - Common performance history attributes for a cooled beam. - - - IfcCooledBeam - - IfcCooledBeam - - - TotalCoolingCapacity - Total cooling capacity. This includes cooling capacity of beam and cooling capacity of supply air. - - - - - Total Cooling Capacity - - - - - - - TotalHeatingCapacity - Total heating capacity. This includes heating capacity of beam and heating capacity of supply air. - - - - - Total Heating Capacity - - - - - - - BeamCoolingCapacity - Cooling capacity of beam. This excludes cooling capacity of supply air. - - - - - Beam Cooling Capacity - - - - - - - BeamHeatingCapacity - Heating capacity of beam. This excludes heating capacity of supply air. - - - - - Beam Heating Capacity - - - - - - - CoolingWaterFlowRate - Water flow rate for cooling. - - - - - Cooling Water Flow Rate - - - - - - - HeatingWaterFlowRate - Water flow rate for heating. - - - - - Heating Water Flow Rate - - - - - - - CorrectionFactorForCooling - Correction factor k as a function of water flow rate (used to calculate cooling capacity). - - - - - Correction Factor For Cooling - - - - - - - CorrectionFactorForHeating - Correction factor k as a function of water flow rate (used to calculate heating capacity). - - - - - Correction Factor For Heating - - - - - - - WaterPressureDropCurves - Water pressure drop as function of water flow rate. - - - - - Water Pressure Drop Curves - - - - - - - SupplyWaterTemperatureCooling - Supply water temperature in cooling mode. - - - - - Supply Water Temperature Cooling - - - - - - - ReturnWaterTemperatureCooling - Return water temperature in cooling mode. - - - - - Return Water Temperature Cooling - - - - - - - SupplyWaterTemperatureHeating - Supply water temperature in heating mode. - - - - - Supply Water Temperature Heating - - - - - - - ReturnWaterTemperatureHeating - Return water temperature in heating mode. - - - - - Return Water Temperature Heating - - - - - - - - - - - - - Pset_CooledBeamPHistoryActive - Performance history attributes for an active cooled beam. - - - IfcCooledBeam/ACTIVE - - IfcCooledBeam/ACTIVE - - - AirFlowRate - Air flow rate. - - - - - Air Flow Rate - - - - - - - Throw - Distance cooled beam throws the air. - - - - - Throw - - - - - - - AirPressureDropCurves - Air pressure drop as function of air flow rate. - - - - - Air Pressure Drop Curves - - - - - - - - - - - - - Pset_CooledBeamTypeActive - Active (ventilated) cooled beam common attributes. - - - IfcCooledBeam/ACTIVE - - IfcCooledBeam/ACTIVE - - - AirFlowConfiguration - Air flow configuration type of cooled beam. - - - - BIDIRECTIONAL - UNIDIRECTIONALRIGHT - UNIDIRECTIONALLEFT - OTHER - NOTKNOWN - UNSET - - - - BIDIRECTIONAL - - Bidirectional - - - - - - - UNIDIRECTIONALRIGHT - - Unidirectional Right - - - - - - - UNIDIRECTIONALLEFT - - Unidirectional Left - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Air Flow Configuration - - - - - - - AirflowRateRange - Possible range of airflow that can be delivered. - - - - - - - Airflow Rate Range - - - - - - - SupplyAirConnectionType - The manner in which the pipe connection is made to the cooled beam. - - - - STRAIGHT - RIGHT - LEFT - TOP - OTHER - NOTKNOWN - UNSET - - - - STRAIGHT - - Straight - - - - - - - RIGHT - - Right - - - - - - - LEFT - - Left - - - - - - - TOP - - Top - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Supply Air Connection Type - - - - - - - ConnectionSize - Duct connection diameter. - - - - - - - Connection Size - - - - - - - - - - - - - Pset_CooledBeamTypeCommon - Cooled beam common attributes. -SoundLevel and SoundAttenuation attributes deleted in IFC2x2 Pset Addendum: Use IfcSoundProperties instead. - - - IfcCooledBeam - - IfcCooledBeam - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - IsFreeHanging - Is it free hanging type (not mounted in a false ceiling)? - - - - - - - Is Free Hanging - - - - - - - PipeConnection - The manner in which the pipe connection is made to the cooled beam. - - - - - - STRAIGHT - - Straight - - - - - - - RIGHT - - Right - - - - - - - LEFT - - Left - - - - - - - TOP - - Top - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Pipe Connection Enum - - - - - - - WaterFlowControlSystemType - Factory fitted waterflow control system. - - - - - - NONE - - None - - - - - - - ONOFFVALVE - - On/Off Valve - - - - - - - 2WAYVALVE - - 2-Way Valve - - - - - - - 3WAYVALVE - - 3-Way Valve - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Water Flow Control System Type - - - - - - - WaterPressureRange - Allowable water circuit working pressure range. - - - - - - - Water Pressure Range - - - - - - - NominalCoolingCapacity - Nominal cooling capacity. - - - - - - - Nominal Cooling Capacity - - - - - - - NominalSurroundingTemperatureCooling - Nominal surrounding temperature (refers to nominal cooling capacity). - - - - - - - Nominal Surrounding Temperature Cooling - - - - - - - NominalSurroundingHumidityCooling - Nominal surrounding humidity (refers to nominal cooling capacity). - - - - - - - Nominal Surrounding Humidity Cooling - - - - - - - NominalSupplyWaterTemperatureCooling - Nominal supply water temperature (refers to nominal cooling capacity). - - - - - - - Nominal Supply Water Temperature Cooling - - - - - - - NominalReturnWaterTemperatureCooling - Nominal return water temperature (refers to nominal cooling capacity). - - - - - - - Nominal Return Water Temperature Cooling - - - - - - - NominalWaterFlowCooling - Nominal water flow (refers to nominal cooling capacity). - - - - - - - Nominal Water Flow Cooling - - - - - - - NominalHeatingCapacity - Nominal heating capacity. - - - - - - - Nominal Heating Capacity - - - - - - - NominalSurroundingTemperatureHeating - Nominal surrounding temperature (refers to nominal heating capacity). - - - - - - - Nominal Surrounding Temperature Heating - - - - - - - NominalSupplyWaterTemperatureHeating - Nominal supply water temperature (refers to nominal heating capacity). - - - - - - - Nominal Supply Water Temperature Heating - - - - - - - NominalReturnWaterTemperatureHeating - Nominal return water temperature (refers to nominal heating capacity). - - - - - - - Nominal Return Water Temperature Heating - - - - - - - NominalWaterFlowHeating - Nominal water flow (refers to nominal heating capacity). - - - - - - - Nominal Water Flow Heating - - - - - - - IntegratedLightingType - Integrated lighting in cooled beam. - - - - - - NONE - - None - - - - - - - DIRECT - - Direct - - - - - - - INDIRECT - - Indirect - - - - - - - DIRECTANDINDIRECT - - Direct and Indirect - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Integrated Lighting Type - - - - - - - FinishColor - Finish color for cooled beam. - - - - - - - Finish Color - - - - - - - CoilLength - Length of coil. - - - - - - - Coil Length - - - - - - - CoilWidth - Width of coil. - - - - - - - Coil Width - - - - - - - - - - - - - Pset_CoolingTowerPHistory - Cooling tower performance history attributes. - - - IfcCoolingTower - - IfcCoolingTower - - - Capacity - Cooling tower capacity in terms of heat transfer rate of the cooling tower between air stream and water stream. - - - - - Capacity - - - - - - - HeatTransferCoefficient - Heat transfer coefficient-area product. - - - - - Heat Transfer Coefficient - - - - - - - SumpHeaterPower - Electrical heat power of sump heater. - - - - - Sump Heater Power - - - - - - - UACurve - UA value as a function of fan speed at certain water flow rate, UA = f ( fan speed). - - - - - UACurve - - - - - - - Performance - Water temperature change as a function of wet-bulb temperature, water entering temperature, water flow rate, air flow rate, Tdiff = f ( Twet-bulb, Twater,in, mwater, mair). - - - - - Performance - - - - - - - - - - - - - Pset_CoolingTowerTypeCommon - Cooling tower type common attributes. -WaterRequirement attribute unit type modified in IFC2x2 Pset Addendum. - - - IfcCoolingTower - - IfcCoolingTower - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - NominalCapacity - Nominal cooling tower capacity in terms of heat transfer rate of the cooling tower between air stream and water stream at nominal conditions. - - - - - - - Nominal Capacity - - - - - - - CircuitType - OpenCircuit: Exposes water directly to the cooling atmosphere. -CloseCircuit: The fluid is separated from the atmosphere by a heat exchanger. -Wet: The air stream or the heat exchange surface is evaporatively cooled. -Dry: No evaporation into the air stream. -DryWet: A combination of a dry tower and a wet tower. - - - - OPENCIRCUIT - CLOSEDCIRCUITWET - CLOSEDCIRCUITDRY - CLOSEDCIRCUITDRYWET - OTHER - NOTKNOWN - UNSET - - - - OPENCIRCUIT - - Open Circuit - - - - - - - CLOSEDCIRCUITWET - - Closed Circuit Wet - - - - - - - CLOSEDCIRCUITDRY - - Closed Circuit Dry - - - - - - - CLOSEDCIRCUITDRYWET - - Closed Circuit Dry Wet - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Circuit Type - - - - - - - FlowArrangement - CounterFlow: Air and water flow enter in different directions. -CrossFlow: Air and water flow are perpendicular. -ParallelFlow: air and water flow enter in same directions. - - - - COUNTERFLOW - CROSSFLOW - PARALLELFLOW - OTHER - NOTKNOWN - UNSET - - - - COUNTERFLOW - - Counter Flow - - - - - - - CROSSFLOW - - Cross Flow - - - - - - - PARALLELFLOW - - Parallel Flow - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Flow Arrangement - - - - - - - SprayType - SprayFilled: Water is sprayed into airflow. -SplashTypeFill: water cascades over successive rows of splash bars. -FilmTypeFill: water flows in a thin layer over closely spaced sheets. - - - - SPRAYFILLED - SPLASHTYPEFILL - FILMTYPEFILL - OTHER - NOTKNOWN - UNSET - - - - SPRAYFILLED - - Spray Filled - - - - - - - SPLASHTYPEFILL - - Splash Type Fill - - - - - - - FILMTYPEFILL - - Film Type Fill - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Spray Type - - - - - - - CapacityControl - FanCycling: Fan is cycled on and off to control duty. -TwoSpeedFan: Fan is switched between low and high speed to control duty. -VariableSpeedFan: Fan speed is varied to control duty. -DampersControl: Dampers modulate the air flow to control duty. -BypassValveControl: Bypass valve modulates the water flow to control duty. -MultipleSeriesPumps: Turn on/off multiple series pump to control duty. -TwoSpeedPump: Switch between high/low pump speed to control duty. -VariableSpeedPump: vary pump speed to control duty. - - - - FANCYCLING - TWOSPEEDFAN - VARIABLESPEEDFAN - DAMPERSCONTROL - BYPASSVALVECONTROL - MULTIPLESERIESPUMPS - TWOSPEEDPUMP - VARIABLESPEEDPUMP - OTHER - NOTKNOWN - UNSET - - - - FANCYCLING - - Fan Cycling - - - - - - - TWOSPEEDFAN - - Two-Speed Fan - - - - - - - VARIABLESPEEDFAN - - Variable Speed Fan - - - - - - - DAMPERSCONTROL - - Dampers Control - - - - - - - BYPASSVALVECONTROL - - Bypass Valve Control - - - - - - - MULTIPLESERIESPUMPS - - Multiple Series Pumps - - - - - - - TWOSPEEDPUMP - - Two-Speed Pump - - - - - - - VARIABLESPEEDPUMP - - Variable Speed Pump - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Capacity Control - - - - - - - ControlStrategy - FixedExitingWaterTemp: The capacity is controlled to maintain a fixed exiting water temperature. -WetBulbTempReset: The set-point is reset based on the wet-bulb temperature. - - - - FIXEDEXITINGWATERTEMP - WETBULBTEMPRESET - OTHER - NOTKNOWN - UNSET - - - - FIXEDEXITINGWATERTEMP - - Fixed Exiting Water Temp - - - - - - - WETBULBTEMPRESET - - Wet Bulb Temp Reset - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Control Strategy - - - - - - - NumberOfCells - Number of cells in one cooling tower unit. - - - - - - - Number Of Cells - - - - - - - BasinReserveVolume - Volume between operating and overflow levels in cooling tower basin. - - - - - - - Basin Reserve Volume - - - - - - - LiftElevationDifference - Elevation difference between cooling tower sump and the top of the tower. - - - - - - - Lift Elevation Difference - - - - - - - WaterRequirement - Make-up water requirements. - - - - - - - Water Requirement - - - - - - - OperationTemperatureRange - Allowable operation ambient air temperature range. - - - - - - - Operation Temperature Range - - - - - - - AmbientDesignDryBulbTemperature - Ambient design dry bulb temperature used for selecting the cooling tower. - - - - - - - Ambient Design Dry Bulb Temperature - - - - - - - AmbientDesignWetBulbTemperature - Ambient design wet bulb temperature used for selecting the cooling tower. - - - - - - - Ambient Design Wet Bulb Temperature - - - - - - - - - - - - - Pset_CoveringCeiling - Properties common to the definition of all occurrence and type objects of covering with the predefined type set to CEILING. - - - IfcCovering/CEILING - - IfcCovering/CEILING - - - Permeability - Ratio of the permeability of the ceiling. -The ration can be used to indicate an open ceiling (that enables identification of whether ceiling construction should be considered as impeding distribution of sprinkler water, light etc. from installations within the ceiling area). - - - - - - - Durchlässigkeit - Permeability - Perméabilité - 渗透率 - - - Durchlässigkeit der Unterdecke als Faktor zwischen 0 Undurchlässig und 1 völlig durchlässig. Der Faktor kann zur Abschätzung genutzt werden, ob die Unterdecke zur Decke hin offen und durchlässig (für Licht, Wasser und Sicht) ist. - - Ratio de perméabilité du plafond. Ce ratio peut être utilisé pour désigner un plafond ouvert (cela permet de savoir si la pose du plafond empêche la distribution de fluides à partir d'installations situées dans le faux plafond). - 天花板的渗透比率。 -该比率可用以表示开敞式天花板(表示天花板能否阻隔其内侧的喷淋水、光线等的)。 - - - - TileLength - Length of ceiling tiles. The size information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the size properties, provided in the attached property set, the geometric parameters take precedence. - - - - - - - Deckenplattenlänge - Tile Length - Longueur des carreaux - 面砖长度 - - - Länge der Unterdeckenplatten, oder -panele, die zur Verkleidung verwendet werden. - - Longueur des carreaux de plafond. Cette propriété est donnée en complément de la représentation de la forme et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. - 天花板面砖的长度。 -该属性所提供的尺寸信息是对内部形状描述和几何参数的补充。如果几何参数与该属性所提供的尺寸属性不符,应以几何参数为准。 - - - - TileWidth - Width of ceiling tiles. The size information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the size properties, provided in the attached property set, the geometric parameters take precedence. - - - - - - - Deckenplattenbreite - Tile Width - Largeur des carreaux - 面砖宽度 - - - Breite der Unterdeckenplatten, oder -panele, die zur Verkleidung verwendet werden. - - Largeur des carreaux de plafond. Cette propriété est donnée en complément de la représentation de la forme et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. - 天花板面砖的宽度。 -该属性所提供的尺寸信息是对内部形状描述和几何参数的补充。如果几何参数与该属性所提供的尺寸属性不符,应以几何参数为准。 - - - - - - 所有PredefinedType设置为CEILING的IfcCovering实例的定义中通用的属性。 - - - - - Pset_CoveringCommon - Properties common to the definition of all occurrence and type objects of covering - - - IfcCovering - - IfcCovering - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Bauteiltyp - Reference - Référence - 参照記号 - 参考号 - - - Bezeichnung zur Zusammenfassung gleichartiger Bauteile zu einem Bauteiltyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1") pour désigner un "type de construction". Une alternative au nom d'un objet type lorsque les objets types ne sont pas gérés par le logiciel. - このプロジェクトにおける参照記号(例:A-1) - 该项目中该类型构件的参考编号(例如,类型A-1)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - AcousticRating - Acoustic rating for this object. -It is giving according to the national building code. It indicates the sound transmission resistance of this object by an index ration (instead of providing full sound absorbtion values). - - - - - - - Schallschutzklasse - Acoustic Rating - Isolation acoustique - 遮音等級 - 隔音等级 - - - Schallschutzklasse gemäß der nationalen oder regionalen Schallschutzverordnung. - - Classement acoustique de cet objet. Donné selon le Code National du Bâtiment. Il indique la résistance à la transmission du son de cet objet par une valeur de référence (au lieu de fournir les valeurs totales d'absorption du son). - 遮音等級。当該国の建築法規による。 -このオブジェクトの音の透過損失を等級値で示す。 - 该构件的隔音等级。 -该属性的依据为国家建筑规范。为表示该构件隔音效果的比率(而不是完全吸收声音的值)。 - - - - FlammabilityRating - Flammability Rating for this object. -It is given according to the national building code that governs the rating of flammability for materials. - - - - - - - Entflammbarkeitsklasse - Flammability Rating - Inflammabilité - 可燃性等級 - - - Angabe zur Entflammbarkeit des Materials gemäß der nationalen oder regionalen Normen. - - Classement de l'inflammabilité de l'élément selon la classification nationale de sécurité incendie. - 可燃性等級。当該国の建築法規による。 - - - - FragilityRating - Indication on the fragility of the covering (e.g., under fire conditions). It is given according to the national building code that might provide a classification for fragility. - - - - - - - Fragilitätsklasse - Fragility Rating - Fragilité - 脆弱性等級 - - - Angabe zur Zerbrechlichkeit des Materials (zum Beispiel unter Brandlast oder Erschütterung) gemäß der nationalen oder regionalen Normen. - - Indication de la fragilité du revêtement selon une classification nationale. - 脆弱性等級。当該国の建築法規による。 - - - - Combustible - Indication whether the object is made from combustible material (TRUE) or not (FALSE). - - - - - - - Brennbares Material - Combustible - Combustible - 可燃性区分 - 是否可燃 - - - Angabe ob das Bauteil brennbares Material enthält (WAHR) oder nicht (FALSCH). - - Indique si l'objet est réalisé à partir de matériau combustible (VRAI) ou non (FAUX). - この部材が可燃性物質で作られているかどうかを示すブーリアン値。 - 表示该构件是否由可燃材料制成。 - - - - SurfaceSpreadOfFlame - Indication on how the flames spread around the surface, -It is given according to the national building code that governs the fire behaviour for materials. - - - - - - - Brandverhalten - Surface Spread Of Flame - Propagation des flammes en surface - 火炎表面伝播性 - - - Beschreibung des Brandverhaltens des Bauteils gemäß der nationalen oder regionalen Brandschutzverordnung. - - Indique comment les flammes se propagent sur une surface. Indication donnée selon le Code National du Bâtiment régissant le comportement au feu des matériaux. - 火炎表面伝播性。当該国の建築法規による。 - - - - Finish - Finish selection for this object. -Here specification of the surface finish for informational purposes. - - - - - - - Oberflächengüte - Finish - Finition - 仕上げ - 表面处理 - - - Oberflächenbehandlung oder Oberflächengüte, wie "poliert", "schalungsrau", imprägniert. - - Finition de cet objet. Spécification de la finition donnée à titre informatif. - 仕上げ選択に関する情報。表面仕上げに関する仕様。 - 该构件的表面处理方式。仅供参考。 - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external element and faces the outside of the building. - - - - - - - Außenbauteil - Is External - Est extérieur - 外部区分 - 是否外部构件 - - - Angabe, ob dieser Bekleidung eine Außenbekleidung ist (JA) oder ein Innenbekleidung (NEIN). - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - 外部の部材かどうかを示すブーリアン値。もしTRUEの場合、外部の部材で建物の外側に面している。 - 表示该构件是否设计为外部构件。若是,则该构件为外部构件,朝向建筑物的外侧。 - - - - ThermalTransmittance - Thermal transmittance coefficient (U-Value) of an element. -Here the total thermal transmittance coefficient through the covering (including all materials). - - - - - - - U-Wert - Thermal Transmittance - Transmission thermique surfacique - 熱貫流率 - 导热系数 - - - Wärmedurchgangskoeffizient (U-Wert) der Materialschichten. -Hier der Gesamtwärmedurchgangskoeffizient der Bekleidung (für alle Schichten). - - Coefficient de transmission thermique surfacique (U). C'est le coefficient global de transmission thermique à travers le revêtement dans la direction du flux thermique (tous matériaux inclus). Nouvelle propriété de la version 2x4. - 熱貫流率U値。ここではカバリングを通した熱移動の方向における全体の熱還流率を示す。 - 材料的导热系数(U值)。 -表示穿过该覆盖层的整体导热系数(包括所有材料)。 - - - - FireRating - Fire rating for this object. -It is given according to the national fire safety classification. - - - - - - - Feuerwiderstandsklasse - Fire Rating - Résistance au feu - 耐火等級 - 防火等级 - - - Feuerwiderstandsklasse gemäß der nationalen oder regionalen Brandschutzverordnung. - - Classement au feu de l'élément donné selon la classification nationale de sécurité incendie. - 耐火等級。当該国の建築法規による。 - 该构件的防火等级。 -该属性的依据为国家防火安全分级。 - - - - - - IfcCoveringオブジェクトに関する共通プロパティセット定義。 - 所有IfcCovering实例的定义中通用的属性。 - - - - - Pset_CoveringFlooring - Properties common to the definition of all occurrence and type objects of covering with the predefined type set to FLOORING. - - - IfcCovering/FLOORING - - - IfcCovering/FLOORING, - - - HasNonSkidSurface - Indication whether the surface finish is designed to prevent slippery (TRUE) or not (FALSE). - - - - - - - Nichtrutschende Oberfläche - Has Non Skid Surface - Anti dérapant - 表面是否防滑 - - - Angabe, ob der Bodenbelag eine nichtrutschende Oberfläche hat (JA), oder nicht (NEIN). - - Indique si la finition est conçue pour être anti dérapante (VRAI) ou non (FAUX). - 表示表面处理是否设计为防滑的。 - - - - HasAntiStaticSurface - Indication whether the surface finish is designed to prevent electrostatic charge (TRUE) or not (FALSE). - - - - - - - Antistatische Oberfläche - Has Anti Static Surface - Anti statique - 表面是否防静电 - - - Angabe, ob der Bodenbelag eine antistatische Oberfläche hat (JA), oder nicht (NEIN). - - Indique si la finition est conçue pour être anti statique (VRAI) ou non (FAUX). - 表示表面处理是否设计为防静电的。 - - - - - - 所有PredefinedType设置为FLOORING的IfcCovering实例的定义中通用的属性。 - - - - - Pset_CurtainWallCommon - Properties common to the definition of all occurrences of IfcCurtainWall. - - - IfcCurtainWall - - IfcCurtainWall - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Bauteiltyp - Reference - Reference - 参照記号 - 参考号 - - - Bezeichnung zur Zusammenfassung gleichartiger Bauteile zu einem Bauteiltyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1") pour désigner un "type de construction". Une alternative au nom d'un objet type lorsque les objets types ne sont pas gérés par le logiciel. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 若未采用已知的分类系统,则该属性为该项目中该类型构件的参考编号(例如,类型A-1)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - AcousticRating - Acoustic rating for this object. -It is provided according to the national building code. It indicates the sound transmission resistance of this object by an index ratio (instead of providing full sound absorbtion values). - - - - - - - Schallschutzklasse - Acoustic Rating - IsolationAcoustique - 遮音等級 - 隔音等级 - - - Schallschutzklasse gemäß der nationalen oder regionalen Schallschutzverordnung. - - Classement acoustique de cet objet. Donné selon le Code National du Bâtiment. Il indique la résistance à la transmission du son de cet objet par une valeur de référence (au lieu de fournir les valeurs totales d'absorption du son). - 遮音等級情報。関連する建築基準法を参照。 - 该构件的隔音等级。 -该属性的依据为国家建筑规范。为表示该构件隔音效果的比率(而不是完全吸收声音的值)。 - - - - FireRating - Fire rating given according to the national fire safety classification. - - - - - - - Feuerwiderstandsklasse - Fire Rating - ResistanceAuFeu - 耐火等級 - 防火等级 - - - Feuerwiderstandasklasse gemäß der nationalen oder regionalen Brandschutzverordnung. - - Classement au feu de l'élément donné selon la classification nationale de sécurité incendie. - 主要な耐火等級。関連する建築基準法、消防法などの国家基準を参照。 - 该构件的防火等级。 -该属性的依据为国家防火安全分级。 - - - - Combustible - Indication whether the object is made from combustible material (TRUE) or not (FALSE). - - - - - - - Brennbares Material - Combustible - Combustible - 可燃性区分 - 是否可燃 - - - German-description-4 - - Indique si l'objet est réalisé à partir de matériau combustible (VRAI) ou non (FAUX). - この部材が可燃性物質で作られているかどうかを示すブーリアン値。 - 表示该构件是否由可燃材料制成。 - - - - SurfaceSpreadOfFlame - Indication on how the flames spread around the surface, -It is given according to the national building code that governs the fire behaviour for materials. - - - - - - - Brandverhalten - Surface Spread Of Flame - SurfacePropagationFlamme - 火炎伝播性 - - - German-description-5 - - Indique comment les flammes se propagent sur une surface. Indication donnée selon le Code National du Bâtiment régissant le comportement au feu des matériaux. - 炎がどのように材料の表面を広がるかという指標。材料の炎に対する振る舞いについての国家建築規則に従って提供される。 - - - - ThermalTransmittance - Thermal transmittance coefficient (U-Value) of a material. -Here the total thermal transmittance coefficient through the wall (including all materials). - - - - - - - U-Wert - Thermal Transmittance - TransmissionThermique - 熱貫流率 - 导热系数 - - - Wärmedurchgangskoeffizient (U-Wert) der Materialschichten. -Hier der Gesamtwärmedurchgangskoeffizient des Balkens (in Richtung des Wärmeflusses), angegeben ohne den inneren und äußeren Wärmeübergangswiderstand. - - Coefficient de transmission thermique surfacique (U). C'est le coefficient global de transmission thermique à travers le mur dans la direction du flux thermique (tous matériaux inclus). Nouvelle propriété de la version 2x4. - 熱貫流率U値。ここではカーテンウォールを通した熱移動の方向における全体の熱還流率を示す。 - 材料的导热系数(U值)。 -表示穿过该墙的整体导热系数(包括所有材料)。 - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external element and faces the outside of the building. - - - - - - - Außenbauteil - Is External - EstExterieur - 外部区分 - 是否外部构件 - - - Angabe, ob dieses Bauteil ein Aussenbauteil ist (JA) oder ein Innenbauteil (NEIN). Als Aussenbauteil grenzt es an den Aussenraum (oder Erdreich, oder Wasser). - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - 外部の部材かどうかを示すブーリアン値。もしTRUEの場合、外部の部材で建物の外側に面している。 - 表示该构件是否设计为外部构件。若是,则该构件为外部构件,朝向建筑物的外侧。 - - - - - - Définition de l'IAI : propriétés communes à la définition de toutes les occurrences de la classe IfcCurtainWall - IfcCurtainWall(カーテンウォール)オブジェクトに関する共通プロパティセット定義。 - 所有IfcCurtainWall实例的定义中通用的属性。 - - - - - Pset_DamperOccurrence - Damper occurrence attributes attached to an instance of IfcDamper - - - IfcDamper - - IfcDamper - - - SizingMethod - Identifies whether the damper is sized nominally or with exact measurements: - -NOMINAL: Nominal sizing method. -EXACT: Exact sizing method. - - - - NOMINAL - EXACT - NOTKNOWN - UNSET - - - - NOMINAL - - Nominal - - - Nominal sizing method - - - - EXACT - - Exact - - - Exact sizing method - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Sizing Method - - - - - - - - - - - - - Pset_DamperPHistory - Damper performance history attributes. - - - IfcDamper - - IfcDamper - - - AirFlowRate - Air flow rate. - - - - - Air Flow Rate - - - - - - - Leakage - Air leakage rate. - - - - - Leakage - - - - - - - PressureDrop - Pressure drop. - - - - - Pressure Drop - - - - - - - BladePositionAngle - Blade position angle; angle between the blade and flow direction ( 0 - 90). - - - - - Blade Position Angle - - - - - - - DamperPosition - Damper position (0-1); damper position ( 0=closed=90deg position angle, 1=open=0deg position angle. - - - - - Damper Position - - - - - - - PressureLossCoefficient - Pressure loss coefficient. - - - - - Pressure Loss Coefficient - - - - - - - - - - - - - Pset_DamperTypeCommon - Damper type common attributes. - - - IfcDamper - - IfcDamper - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - Operation - The operational mechanism for the damper operation. - - - - AUTOMATIC - MANUAL - OTHER - NOTKNOWN - UNSET - - - - AUTOMATIC - - Automatic - - - - - - - MANUAL - - Manual - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Operation - - - - - - - Orientation - The intended orientation for the damper as specified by the manufacturer. - - - - VERTICAL - HORIZONTAL - VERTICALORHORIZONTAL - OTHER - NOTKNOWN - UNSET - - - - VERTICAL - - Vertical - - - - - - - HORIZONTAL - - Horizontal - - - - - - - VERTICALORHORIZONTAL - - Vertical or Horizontal - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Orientation - - - - - - - BladeThickness - The thickness of the damper blade. - - - - - - - Blade Thickness - - - - - - - BladeAction - Blade action. - - - - FOLDINGCURTAIN - PARALLEL - OPPOSED - SINGLE - OTHER - NOTKNOWN - UNSET - - - - FOLDINGCURTAIN - - Folding Curtain - - - - - - - PARALLEL - - Parallel - - - - - - - OPPOSED - - Opposed - - - - - - - SINGLE - - Single - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Blade Action - - - - - - - BladeShape - Blade shape. Flat means triple V-groove. - - - - FLAT - FABRICATEDAIRFOIL - EXTRUDEDAIRFOIL - OTHER - NOTKNOWN - UNSET - - - - FLAT - - Flat - - - - - - - FABRICATEDAIRFOIL - - Fabricated Airfoil - - - - - - - EXTRUDEDAIRFOIL - - Extruded Airfoil - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Blade Shape - - - - - - - BladeEdge - Blade edge. - - - - CRIMPED - UNCRIMPED - OTHER - NOTKNOWN - UNSET - - - - CRIMPED - - Crimped - - - - - - - UNCRIMPED - - Uncrimped - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Blade Edge - - - - - - - NumberofBlades - Number of blades. - - - - - - - Numberof Blades - - - - - - - FaceArea - Face area open to the airstream. - - - - - - - Face Area - - - - - - - MaximumAirFlowRate - Maximum allowable air flow rate. - - - - - - - Maximum Air Flow Rate - - - - - - - TemperatureRange - Temperature range. - - - - - - - Temperature Range - - - - - - - MaximumWorkingPressure - Maximum working pressure. - - - - - - - Maximum Working Pressure - - - - - - - TemperatureRating - Temperature rating. - - - - - - - Temperature Rating - - - - - - - NominalAirFlowRate - Nominal air flow rate. - - - - - - - Nominal Air Flow Rate - - - - - - - OpenPressureDrop - Total pressure drop across damper. - - - - - - - Open Pressure Drop - - - - - - - LeakageFullyClosed - Leakage when fully closed. - - - - - - - Leakage Fully Closed - - - - - - - LossCoefficentCurve - Loss coefficient – blade position angle curve; ratio of pressure drop to velocity pressure versus blade angle; C = f (blade angle position). - - - - - - - - - - - - - Loss Coefficent Curve - - - - - - - LeakageCurve - Leakage versus pressure drop; Leakage = f (pressure). - - - - - - - - - - - - - Leakage Curve - - - - - - - RegeneratedSoundCurve - Regenerated sound versus air flow rate. - - - - - - - - - - - - - Regenerated Sound Curve - - - - - - - FrameType - The type of frame used by the damper (e.g., Standard, Single Flange, Single Reversed Flange, Double Flange, etc.). - - - - - - - Frame Type - - - - - - - FrameDepth - The length (or depth) of the damper frame. - - - - - - - Frame Depth - - - - - - - FrameThickness - The thickness of the damper frame material. - - - - - - - Frame Thickness - - - - - - - CloseOffRating - Close off rating. - - - - - - - Close Off Rating - - - - - - - - - ダンパー型の共通プロパティ属性設定。 - - - - - Pset_DamperTypeControlDamper - Control damper type attributes. -Pset renamed from Pset_DamperTypeControl to Pset_DamperTypeControlDamper in IFC2x2 Pset Addendum. - - - IfcDamper/CONTROLDAMPER - - IfcDamper/CONTROLDAMPER - - - TorqueRange - Torque range: minimum operational torque to maximum allowable torque. - - - - - - - Torque Range - - - - - - - ControlDamperOperation - The inherent characteristic of the control damper operation. - - - - LINEAR - EXPONENTIAL - OTHER - NOTKNOWN - UNSET - - - - LINEAR - - Linear - - - - - - - EXPONENTIAL - - Exponential - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Control Damper Operation - - - - - - - - - - - - - Pset_DamperTypeFireDamper - Fire damper type attributes. -Pset renamed from Pset_DamperTypeFire to Pset_DamperTypeFireDamper in IFC2x2 Pset Addendum. - - - IfcDamper/FIREDAMPER - - IfcDamper/FIREDAMPER - - - ActuationType - Enumeration that identifies the different types of dampers. - - - - GRAVITY - SPRING - OTHER - NOTKNOWN - UNSET - - - - GRAVITY - - Gravity - - - - - - - SPRING - - Spring - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Actuation Type - - - - - - - ClosureRatingEnum - Enumeration that identifies the closure rating for the damper. - - - - DYNAMIC - STATIC - OTHER - NOTKNOWN - UNSET - - - - DYNAMIC - - Dynamic - - - - - - - STATIC - - Static - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Closure Rating Enum - - - - - - - FireResistanceRating - Measure of the fire resistance rating in hours (e.g., 1.5 hours, 2 hours, etc.). - - - - - - - Fire Resistance Rating - - - - - - - FusibleLinkTemperature - The temperature that the fusible link melts. - - - - - - - Fusible Link Temperature - - - - - - - - - - - - - Pset_DamperTypeFireSmokeDamper - Combination Fire and Smoke damper type attributes. -New Pset in IFC2x2 Pset Addendum. - - - IfcDamper/FIRESMOKEDAMPER - - IfcDamper/FIRESMOKEDAMPER - - - ControlType - The type of control used to operate the damper (e.g., Open/Closed Indicator, Resetable Temperature Sensor, Temperature Override, etc.). - - - - - - - Control Type - - - - - - - ActuationType - Enumeration that identifies the different types of dampers. - - - - GRAVITY - SPRING - OTHER - NOTKNOWN - UNSET - - - - GRAVITY - - Gravity - - - - - - - SPRING - - Spring - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Actuation Type - - - - - - - ClosureRatingEnum - Enumeration that identifies the closure rating for the damper. - - - - DYNAMIC - STATIC - OTHER - NOTKNOWN - UNSET - - - - DYNAMIC - - Dynamic - - - - - - - STATIC - - Static - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Closure Rating Enum - - - - - - - FireResistanceRating - Measure of the fire resistance rating in hours (e.g., 1.5 hours, 2 hours, etc.). - - - - - - - Fire Resistance Rating - - - - - - - FusibleLinkTemperature - The temperature that the fusible link melts. - - - - - - - Fusible Link Temperature - - - - - - - - - - - - - Pset_DamperTypeSmokeDamper - Smoke damper type attributes. -Pset renamed from Pset_DamperTypeSmoke to Pset_DamperTypeSmokeDamper in IFC2x2 Pset Addendum. - - - IfcDamper/SMOKEDAMPER - - IfcDamper/SMOKEDAMPER - - - ControlType - The type of control used to operate the damper (e.g., Open/Closed Indicator, Resetable Temperature Sensor, Temperature Override, etc.) . - - - - - - - Control Type - - - - - - - - - - - - - Pset_DiscreteAccessoryColumnShoe - Shape properties common to column shoes. - - - IfcDiscreteAccessory/SHOE - - IfcDiscreteAccessory/SHOE - - - ColumnShoeBasePlateThickness - The thickness of the column shoe base plate. - - - - - - - Column Shoe Base Plate Thickness - ベースプレート厚 - 베이스 플레이트 두께 - - - - 柱脚ベースプレートの板厚。 - 기둥 다리베이스 플레이트의 두께 - - - - ColumnShoeBasePlateWidth - The width of the column shoe base plate. - - - - - - - Column Shoe Base Plate Width - ベースプレート幅 - 베이스 플레이트 폭 - - - - 柱脚ベースプレートの幅。 - 기둥 다리 받침판 폭 - - - - ColumnShoeBasePlateDepth - The depth of the column shoe base plate. - - - - - - - Column Shoe Base Plate Depth - ベースプレート成 - 베이스 플레이트 구성 - - - - 柱脚ベースプレートの成。 - 기둥 다리 받침판 구성 - - - - ColumnShoeCasingHeight - The height of the column shoe casing. - - - - - - - Column Shoe Casing Height - ケーシング厚 - 케이스 두께 - - - - 柱脚ケーシングの板厚。 - 기둥 다리 케이스의 두께 - - - - ColumnShoeCasingWidth - The width of the column shoe casing. - - - - - - - Column Shoe Casing Width - ケーシング幅 - 케이스 폭 - - - - 柱脚ケーシングの幅。 - 기둥 다리 케이스의 폭 - - - - ColumnShoeCasingDepth - The depth of the column shoe casing. - - - - - - - Column Shoe Casing Depth - ケーシング成 - 케이스 구성 - - - - 柱脚ケーシングの成。 - 기둥 다리 케이스의 구성 - - - - - - 柱脚の共通形状特性。 - - - - - Pset_DiscreteAccessoryCornerFixingPlate - Properties specific to corner fixing plates. - - - IfcDiscreteAccessory/Corner fixing plate - - IfcDiscreteAccessory/Corner fixing plate - - - CornerFixingPlateLength - The length of the L-shaped corner plate. - - - - - - - Corner Fixing Plate Length - 長さ - 길이 - - - - L型コーナープレートの長さ。 - L 형 코너 플레이트의 길이 - - - - CornerFixingPlateThickness - The thickness of the L-shaped corner plate. - - - - - - - Corner Fixing Plate Thickness - 板厚 - 두께 - - - - L型コーナープレートの板厚。 - L 형 코너 플레이트의 두께 - - - - CornerFixingPlateFlangeWidthInPlaneZ - The flange width of the L-shaped corner plate in plane Z. - - - - - - - Corner Fixing Plate Flange Width In Plane Z - フランジ幅Z - 플랜지 폭 Z - - - - L型コーナープレートのZ面のフランジ幅。 - L 형 코너 플레이트 Z면 플랜지 폭 - - - - CornerFixingPlateFlangeWidthInPlaneX - The flange width of the L-shaped corner plate in plane X. - - - - - - - Corner Fixing Plate Flange Width In Plane X - フランジ幅X - 플랜지 폭 X - - - - L型コーナープレートのX面のフランジ幅。 - L 형 코너 플레이트 X면 플랜지 폭 - - - - - - コーナーを固定するプレートの固有特性。 - - - - - Pset_DiscreteAccessoryDiagonalTrussConnector - Shape properties specific to connecting accessories in truss form with diagonal cross-bars. - - - IfcDiscreteAccessory/Diagonal truss connector - - IfcDiscreteAccessory/Diagonal truss connector - - - DiagonalTrussHeight - The overall height of the truss connector. - - - - - - - Diagonal Truss Height - 全体高さ - 전체 높이 - - - - トラス接続部材の全体の高さ。 - 트러스 연결 부재의 전체 높이 - - - - DiagonalTrussLength - The overall length of the truss connector. - - - - - - - Diagonal Truss Length - 全体長さ - 전체 길이 - - - - トラス接続部材の全体の長さ。 - 트러스 연결 부재의 전체 길이 - - - - DiagonalTrussCrossBarSpacing - The spacing between diagonal cross-bar sections. - - - - - - - Diagonal Truss Cross Bar Spacing - クロスバー間隔 - 크로스바 간격 - - - - 斜めのクロスバーの間隔。 - 대각선 크로스바 간격 - - - - DiagonalTrussBaseBarDiameter - The nominal diameter of the base bar. - - - - - - - Diagonal Truss Base Bar Diameter - ベースバー径 - 기반 막대 지름 - - - - ベースバーの公称直径。 - 기반 막대의 공칭 지름 - - - - DiagonalTrussSecondaryBarDiameter - The nominal diameter of the secondary bar. - - - - - - - Diagonal Truss Secondary Bar Diameter - 二次バー径 - 보조 막대 지름 - - - - 二次バーの公称直径。 - 보조 막대의 공칭 지름 - - - - DiagonalTrussCrossBarDiameter - The nominal diameter of the diagonal cross-bars. - - - - - - - Diagonal Truss Cross Bar Diameter - クロスバー径 - 크로스바 지름 - - - - 斜めクロスバーの公称直径。 - 대각선 크로스바 공칭 지름 - - - - - - 斜めのクロスバーを使って接続したトラスの形状定義。 - - - - - Pset_DiscreteAccessoryEdgeFixingPlate - Properties specific to edge fixing plates. - - - IfcDiscreteAccessory/Edge fixing plate - - IfcDiscreteAccessory/Edge fixing plate - - - EdgeFixingPlateLength - The length of the L-shaped edge plate. - - - - - - - Edge Fixing Plate Length - 長さ - 길이 - - - - L型端部プレートの長さ。 - L 형 단부 플레이트의 길이 - - - - EdgeFixingPlateThickness - The thickness of the L-shaped edge plate. - - - - - - - Edge Fixing Plate Thickness - 板厚 - 두께 - - - - L型端部プレートの板厚。 - L 형 단부 플레이트의 두께 - - - - EdgeFixingPlateFlangeWidthInPlaneZ - The flange width of the L-shaped edge plate in plane Z. - - - - - - - Edge Fixing Plate Flange Width In Plane Z - フランジ幅Z - 플랜지 폭 Z - - - - L型端部プレートのZ面フランジ幅。 - L 형 단부 플레이트 Z면 플랜지 폭 - - - - EdgeFixingPlateFlangeWidthInPlaneX - The flange width of the L-shaped edge plate in plane X. - - - - - - - Edge Fixing Plate Flange Width In Plane X - フランジ幅X - 플랜지 폭 X - - - - L型端部プレートのX面フランジ幅。 - L 형 단부 플레이트 X면 플랜지 폭 - - - - - - 端部固定プレートの固有。 - - - - - Pset_DiscreteAccessoryFixingSocket - Properties common to fixing sockets. - - - IfcDiscreteAccessory/Fixing socket - - IfcDiscreteAccessory/Fixing socket - - - FixingSocketTypeReference - Type reference for the fixing socket according to local standards. - - - - - Fixing Socket Type Reference - 参照基準 - 참조 기준 - - - - 固定ソケットが参照するローカル標準。 - 고정 소켓이 참조하는 로컬 표준 - - - - FixingSocketHeight - The overall height of the fixing socket. - - - - - - - Fixing Socket Height - 全体長さ - 전체 길이 - - - - 固定ソケットの全体長さ。 - 고정 소켓의 전체 길이 - - - - FixingSocketThreadDiameter - The nominal diameter of the thread. - - - - - - - Fixing Socket Thread Diameter - 公称径 - 공칭 지름 - - - - 線の公称直径。 - 고정 소켓의 전체 길이 - - - - FixingSocketThreadLength - The length of the threaded part of the fixing socket. - - - - - - - Fixing Socket Thread Length - ねじ部長さ - 나사부 길이 - - - - 固定ソケットの全体長さねじ部の長さ。 - 고정 소켓의 전체 길이 나사부의 길이 - - - - - - 固定ソケットの共通特性。 - - - - - Pset_DiscreteAccessoryLadderTrussConnector - Shape properties specific to connecting accessories in truss form with straight cross-bars in ladder shape. - - - IfcDiscreteAccessory/Ladder truss connector - - IfcDiscreteAccessory/Ladder truss connector - - - LadderTrussHeight - The overall height of the truss connector. - - - - - - - Ladder Truss Height - 全体高さ - 전체 높이 - - - - トラス接続部材の全体の高さ。 - 트러스 연결 부재의 전체 높이 - - - - LadderTrussLength - The overall length of the truss connector. - - - - - - - Ladder Truss Length - 全体長さ - 전체길이 - - - - トラス接続部材の全体の長さ。 - 트러스 연결 부재의 전체 길이 - - - - LadderTrussCrossBarSpacing - The spacing between the straight cross-bars. - - - - - - - Ladder Truss Cross Bar Spacing - クロスバー間隔 - 크로스바 간격 - - - - まっすぐなのクロスバーの間隔。 - 똑바른 크로스바 간격 - - - - LadderTrussBaseBarDiameter - The nominal diameter of the base bar. - - - - - - - Ladder Truss Base Bar Diameter - ベースバー径 - 기반 막대 지름 - - - - ベースバーの公称直径。 - 기반 막대의 공칭 지름 - - - - LadderTrussSecondaryBarDiameter - The nominal diameter of the secondary bar. - - - - - - - Ladder Truss Secondary Bar Diameter - 二次バー径 - 보조막대 지름 - - - - 二次バーの公称直径。 - 보조 막대의 공칭 지름 - - - - LadderTrussCrossBarDiameter - The nominal diameter of the straight cross-bars. - - - - - - - Ladder Truss Cross Bar Diameter - クロスバー径 - 크로스바 지름 - - - - まっすぐなクロスバーの公称直径。 - 똑바른 크로스바 공칭 지름 - - - - - - はじご状のまっすぐなクロスバーを使って接合したトラスの形状特性。 - - - - - Pset_DiscreteAccessoryStandardFixingPlate - Properties specific to standard fixing plates. - - - IfcDiscreteAccessory/Standard fixing plate - - IfcDiscreteAccessory/Standard fixing plate - - - StandardFixingPlateWidth - The width of the standard fixing plate. - - - - - - - Standard Fixing Plate Width - - - - - - 標準的な固定プレートの幅。 - 표준 고정 플레이트의 폭 - - - - StandardFixingPlateDepth - The depth of the standard fixing plate. - - - - - - - Standard Fixing Plate Depth - - 구성 - - - - 標準的な固定プレートの成。 - 표준 고정 플레이트 구성 - - - - StandardFixingPlateThickness - The thickness of the standard fixing plate. - - - - - - - Standard Fixing Plate Thickness - 板厚 - 두께 - - - - 標準的な固定プレートの板厚。 - 표준 고정 플레이트의 두께 - - - - - - 標準的な固定プレートの固有特性。 - - - - - Pset_DiscreteAccessoryWireLoop - Shape properties common to wire loop joint connectors. - - - IfcDiscreteAccessory/Wire loop - - IfcDiscreteAccessory/Wire loop - - - WireLoopBasePlateThickness - The thickness of the base plate. - - - - - - - Wire Loop Base Plate Thickness - ベースプレート厚 - 베이스 플레이트 두께 - - - - ベースプレートの板厚。 - 베이스 플레이트 두께 - - - - WireLoopBasePlateWidth - The width of the base plate. - - - - - - - Wire Loop Base Plate Width - ベースプレート幅 - 베이스 플레이트 폭 - - - - ベースプレートの幅。 - 베이스 플레이트 폭 - - - - WireLoopBasePlateLength - The length of the base plate. - - - - - - - Wire Loop Base Plate Length - ベースプレート長さ - 플레이트 길이 - - - - ベースプレートの長さ。 - 플레이트 길이 - - - - WireDiameter - The nominal diameter of the wire. - - - - - - - Wire Diameter - ワイヤー径 - 와이어 지름 - - - - ワイヤーの公称直径。 - 와이어의 공칭 지름 - - - - WireEmbeddingLength - The length of the part of wire which is embedded in the precast concrete element. - - - - - - - Wire Embedding Length - 埋め込み長さ - 포함 길이 - - - - プレキャストコンクリート部材の中に埋め込まれたワイヤーの長さ。 - 프리 캐스트 콘크리트 부재속에 묻힌 철사의 길이 - - - - WireLoopLength - The length of the fastening loop part of the wire. - - - - - - - Wire Loop Length - 留め具長さ - 클램프 길이 - - - - ワイヤーの留め具部分の長さ。 - 와이어 클램프 부분의 길이 - - - - - - ワイヤー留め具による接続部の形状特性。 - - - - - Pset_DistributionChamberElementCommon - Common properties of all occurrences of IfcDistributionChamberElement. - - - IfcDistributionChamberElement - - IfcDistributionChamberElement - - - Reference - Reference ID for this specific instance (e.g. 'WWS/VS1/400/001', which indicates the occurrence belongs to system WWS, subsystems VSI/400, and has the component number 001). - - - - - - - Reference - 参照記号 - 참조 기호 - - - - 具体的な参照ID(例えば、“WWS/VS1/400/001”はWWS系統、VS1/400サブシステム001番部品)。 - 구체적인 참조 ID (예 : "WWS/VS1/400/001"는 WWS 계통, VS1/400 서브 시스템 001 번 부품) - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - 全てのIfcDistributionChamberElement.オブジェクトに関する共通の属性情報。 - - - - - Pset_DistributionChamberElementTypeFormedDuct - Space formed in the ground for the passage of pipes, cables, ducts. - - - IfcDistributionChamberElement/FORMEDDUCT - - IfcDistributionChamberElement/FORMEDDUCT - - - ClearWidth - The width of the formed space in the duct. - - - - - - - Clear Width - 幅員 - - - - - ダクトスペースの幅。 - 덕트 공간 폭 - - - - ClearDepth - The depth of the formed space in the duct. - - - - - - - Clear Depth - 深さ - 깊이 - - - - ダクトスペースの深さ。 - 덕트 공간의 깊이 - - - - WallThickness - The thickness of the duct wall construction -NOTE: It is assumed that chamber walls will be constructed at a single thickness. - - - - - - - Wall Thickness - 壁の厚さ - 벽 두께 - - - - ダクトスペース壁の厚さ。 -注:ダクトスペースの壁は単層と仮定する - 덕트 공간 벽 두께 참고 : 덕트 공간의 벽은 단층 가정 - - - - BaseThickness - The thickness of the duct base construction -NOTE: It is assumed that duct base will be constructed at a single thickness. - - - - - - - Base Thickness - 基部の厚さ - 바닥두께 - - - - ダクトスペース床面の厚さ。 -注:ダクトスペースの床は単層と仮定する - 덕트 공간 바닥의 두께 참고 : 덕트 공간의 바닥은 단층 가정 - - - - AccessCoverLoadRating - The load rating of the access cover (which may be a value or an alphanumerically defined class rating). - - - - - - - Access Cover Load Rating - アクセス(点検)カバーの耐荷重 - 사용(체크)커버 하중 - - - - アクセス(点検)カバーの耐荷重(数字或いはアルファベットで定義する)。 - 사용 (체크) 커버 하중 (숫자 혹은 알파벳에서 정의됨) - - - - - - BS6100 100 3410より定義: 地中に配管、配線、ダクトを設置するためのダクトスペース。 - - - - - Pset_DistributionChamberElementTypeInspectionChamber - Chamber constructed on a drain, sewer or pipeline and with a removable cover, that permits visible inspection. - - - IfcDistributionChamberElement/INSPECTIONCHAMBER - - IfcDistributionChamberElement/INSPECTIONCHAMBER - - - ChamberLengthOrRadius - Length or, in the event of the shape being circular in plan, the radius of the chamber. - - - - - - - Chamber Length Or Radius - チャンバー(バイブスペース?)の長さあるいは半径 - 챔버 (파이프 공간)의 길이 또는 반경 - - - - チャンバーの長さあるいは円形チャンバーの半径。 - 챔버의 길이 또는 원형 챔버의 반경 - - - - ChamberWidth - Width, in the event of the shape being non circular in plan. - - - - - - - Chamber Width - チャンバー(バイブスペース?)の幅 - 챔버 (파이프 공간)의 너비 - - - - 非円形チャンバーの幅。 - 비원 챔버의 폭 - - - - InvertLevel - Level of the lowest part of the cross section as measured from ground level. - - - - - - - Invert Level - 最大深さ - 최대 깊이 - - - - 断面の最も低い部分の深さ(地面から)。 - 단면의 가장 낮은 부분의 깊이 (지상에서) - - - - SoffitLevel - Level of the highest internal part of the cross section as measured from ground level. - - - - - - - Soffit Level - 最小深さ - 최소깊이 - - - - 断面の最も高い部分の深さ(地面から)。 - 단면의 가장 높은 부분의 깊이 (지상에서) - - - - WallMaterial - The material from which the wall of the chamber is constructed. -NOTE: It is assumed that chamber walls will be constructed of a single material. - - - - - Wall Material - 壁の材質 - 벽의 재질 - - - - ダクトスペース壁の材質。 -注:ダクトスペースの壁は単層と仮定する - 덕트 공간 벽의 재질 참고 : 덕트 공간의 벽은 단층 가정 - - - - WallThickness - The thickness of the chamber wall construction -NOTE: It is assumed that chamber walls will be constructed at a single thickness. - - - - - - - Wall Thickness - 壁厚さ - 벽 두께 - - - - ダクトスペース壁の厚さ。 -注:ダクトスペースの壁は単層と仮定する - 덕트 공간 벽 두께 참고 : 덕트 공간의 벽은 단층 가정 - - - - BaseMaterial - The material from which the base of the chamber is constructed. -NOTE: It is assumed that chamber base will be constructed of a single material. - - - - - Base Material - 床の材質 - 바닥의 재질 - - - - ダクトスペース床面の材質。 -注:ダクトスペースの床は単層と仮定する - 덕트 공간 바닥의 재질 참고 : 덕트 공간의 바닥은 단층 가정 - - - - BaseThickness - The thickness of the chamber base construction -NOTE: It is assumed that chamber base will be constructed at a single thickness. - - - - - - - Base Thickness - 床の厚さ - 바닥의 두께 - - - - ダクトスペース床面の厚さ。 -注:ダクトスペースの床は単層と仮定する - 덕트 공간 바닥의 두께 참고 : 덕트 공간의 바닥은 단층 가정 - - - - WithBackdrop - Indicates whether the chamber has a backdrop or tumbling bay (TRUE) or not (FALSE). - - - - - - - With Backdrop - バックドロップ付け - 백 드롭 지정 - - - - ダクトスペースはバックドロップ或いは堰付けかどうか(TRUE或いはFALSE)。 - 덕트 공간 백드롭 혹은 보 표시 여부 (TRUE 또는 FALSE) - - - - AccessCoverMaterial - The material from which the access cover to the chamber is constructed. -NOTE: It is assumed that chamber walls will be constructed of a single material. - - - - - Access Cover Material - アクセス(点検)カバーの材質 - 사용(체크)커버의 재질 - - - - アクセス(点検)カバーの材質。 -注:バイブスペースの壁は単層と仮定する - 액세스 (체크) 커버의 재질 주 : 챔퍼 공간의 벽은 단층 가정 - - - - AccessLengthOrRadius - The length of the chamber access cover or, where the plan shape of the cover is circular, the radius. - - - - - - - Access Length Or Radius - アクセス(点検)カバーの長さ或いは半径 - 사용(체크)덮개 길이 혹은 반경 - - - - アクセス(点検)カバーの長さ、或いは円形カバーの半径。 - 사용 (체크) 덮개 길이, 혹은 원형 커버 반경 - - - - AccessWidth - The width of the chamber access cover where the plan shape of the cover is not circular. - - - - - - - Access Width - アクセス(点検)カバーの幅 - 사용 (체크)커버 폭 - - - - アクセス(点検)カバーの幅。 - 사용 (체크) 커버 폭 - - - - AccessCoverLoadRating - The load rating of the access cover (which may be a value or an alphanumerically defined class rating). - - - - - - - Access Cover Load Rating - アクセス(点検)カバーの耐荷重 - 사용 (체크)커버 하중 - - - - アクセス(点検)カバーの耐荷重(数字或いはアルファベットで定義する)。 - 사용 (체크) 커버 하중 (숫자 혹은 알파벳에서 정의됨) - - - - - - 排水、下水管の上にある・点検用可移動カバー付けパイプスペース。 - - - - - Pset_DistributionChamberElementTypeInspectionPit - Recess or chamber formed to permit access for inspection of substructure and services (definition modified from BS6100 221 4128). - - - IfcDistributionChamberElement/INSPECTIONPIT - - IfcDistributionChamberElement/INSPECTIONPIT - - - Length - The length of the pit. - - - - - - - Length - 長さ - 길이 - - - - ピット長さ。 - 피트 길이 - - - - Width - The width of the pit. - - - - - - - Width - - - - - - ピット幅。 - 피트 폭 - - - - Depth - The depth of the pit. - - - - - - - Depth - 深さ - 깊이 - - - - ピット深さ。 - 구덩이 깊이 - - - - - - 基礎の点検とサービスのためにアクセスできるピット(凹所)あるいはチャンバ(空間)。 - - - - - Pset_DistributionChamberElementTypeManhole - Chamber constructed on a drain, sewer or pipeline and with a removable cover, that permits the entry of a person. - - - IfcDistributionChamberElement/MANHOLE - - IfcDistributionChamberElement/MANHOLE - - - InvertLevel - Level of the lowest part of the cross section as measured from ground level. - - - - - - - Invert Level - 最大深さ - 최대 깊이 - - - - 断面の最も低い部分の深さ(地面から)。 - 단면의 가장 낮은 부분의 깊이 (지상에서) - - - - SoffitLevel - Level of the highest internal part of the cross section as measured from ground level. - - - - - - - Soffit Level - 最小深さ - 최소깊이 - - - - 断面の最も高い部分の深さ(地面から)。 - 단면의 가장 높은 부분의 깊이 (지상에서) - - - - WallMaterial - The material from which the wall of the chamber is constructed. -NOTE: It is assumed that chamber walls will be constructed of a single material. - - - - - Wall Material - 壁の材質 - 벽의 재질 - - - - ダクトスペース壁の材質。 -注:ダクトスペースの壁は単層と仮定する - 덕트 공간 벽의 재질 참고 : 덕트 공간의 벽은 단층 가정 - - - - WallThickness - The thickness of the chamber wall construction -NOTE: It is assumed that chamber walls will be constructed at a single thickness. - - - - - - - Wall Thickness - 壁厚さ - 벽 두께 - - - - ダクトスペース壁の厚さ。 -注:ダクトスペースの壁は単層と仮定する - 덕트 공간 벽 두께 참고 : 덕트 공간의 벽은 단층 가정 - - - - BaseMaterial - The material from which the base of the chamber is constructed. -NOTE: It is assumed that chamber base will be constructed of a single material. - - - - - Base Material - 床の材質 - 바닥의 재질 - - - - ダクトスペース床面の材質。 -注:ダクトスペースの床は単層と仮定する - 덕트 공간 바닥의 재질 참고 : 덕트 공간의 바닥은 단층 가정 - - - - BaseThickness - The thickness of the chamber base construction -NOTE: It is assumed that chamber base will be constructed at a single thickness. - - - - - - - Base Thickness - 床の厚さ - 바닥의 두께 - - - - ダクトスペース床面の厚さ。 -注:ダクトスペースの床は単層と仮定する - 덕트 공간 바닥의 두께 참고 : 덕트 공간의 바닥은 단층 가정 - - - - IsShallow - Indicates whether the chamber has been designed as being shallow (TRUE) or deep (FALSE). - - - - - - - Is Shallow - 浅いか - 덕트공간 - - - - ダクトスペースは浅いかどうか(TRUE或いはFALSE)。 - 덕트 공간이 얕은 여부 (TRUE 또는 FALSE) - - - - HasSteps - Indicates whether the chamber has steps (TRUE) or not (FALSE). - - - - - - - Has Steps - 階段付け - 계단 지정 - - - - ダクトスペースは階段付けかどうか(TRUE或いはFALSE)。 - 덕트 공간은 계단 표시 여부 (TRUE 또는 FALSE) - - - - WithBackdrop - Indicates whether the chamber has a backdrop or tumbling bay (TRUE) or not (FALSE). - - - - - - - With Backdrop - バックドロップ付け - 백 드롭 지정 - - - - ダクトスペースはバックドロップ或いは堰付けかどうか(TRUE或いはFALSE)。 - 덕트 공간 백드롭 혹은 보 표시 여부 (TRUE 또는 FALSE) - - - - AccessCoverMaterial - The material from which the access cover to the chamber is constructed. -NOTE: It is assumed that chamber walls will be constructed of a single material. - - - - - Access Cover Material - アクセス(点検)カバーの材質 - 사용(체크)커버의 재질 - - - - アクセス(点検)カバーの材質。 -注:バイブスペースの壁は単層と仮定する - 액세스 (체크) 커버의 재질 주 : 챔퍼 공간의 벽은 단층 가정 - - - - AccessLengthOrRadius - The length of the chamber access cover or, where the plan shape of the cover is circular, the radius. - - - - - - - Access Length Or Radius - アクセス(点検)カバーの長さ或いは半径 - 사용(체크)덮개 길이 혹은 반경 - - - - アクセス(点検)カバーの長さ、或いは円形カバーの半径。 - 사용 (체크) 덮개 길이, 혹은 원형 커버 반경 - - - - AccessWidth - The width of the chamber access cover where the plan shape of the cover is not circular. - - - - - - - Access Width - アクセス(点検)カバーの幅 - 사용 (체크)커버 폭 - - - - アクセス(点検)カバーの幅。 - 사용 (체크) 커버 폭 - - - - AccessCoverLoadRating - The load rating of the access cover (which may be a value or an alphanumerically defined class rating). - - - - - - - Access Cover Load Rating - アクセス(点検)カバーの耐荷重 - 사용 (체크)커버 하중 - - - - アクセス(点検)カバーの耐荷重(数字或いはアルファベットで定義する)。 - 사용 (체크) 커버 하중 (숫자 혹은 알파벳에서 정의됨) - - - - - - 排水、下水管の上にある・点検用可移動カバー付けパイプスペース。 - - - - - Pset_DistributionChamberElementTypeMeterChamber - Chamber that houses a meter(s) (definition modified from BS6100 250 6224). - - - IfcDistributionChamberElement/METERCHAMBER - - IfcDistributionChamberElement/METERCHAMBER - - - ChamberLengthOrRadius - Length or, in the event of the shape being circular in plan, the radius of the chamber. - - - - - - - Chamber Length Or Radius - チャンバーの長さあるいは半径 - 챔버의 길이 또는 반경 - - - - チャンバーの長さあるいは円形チャンバーの半径。 - 챔버의 길이 또는 원형 챔버의 반경 - - - - ChamberWidth - Width, in the event of the shape being non circular in plan. - - - - - - - Chamber Width - チャンバーの幅 - 챔버의 폭 - - - - 非円形チャンバーの幅。 - 비원 챔버의 폭 - - - - WallMaterial - The material from which the wall of the chamber is constructed. -NOTE: It is assumed that chamber walls will be constructed of a single material. - - - - - Wall Material - 壁の材質 - 벽의 재질 - - - - ダクトスペース壁の材質。 -注:ダクトスペースの壁は単層と仮定する - 덕트 공간 벽의 재질 참고 : 덕트 공간의 벽은 단층 가정 - - - - WallThickness - The thickness of the chamber wall construction -. -NOTE: It is assumed that chamber walls will be constructed at a single thickness. - - - - - - - Wall Thickness - 壁厚さ - 벽 두께 - - - - ダクトスペース壁の厚さ。 -注:ダクトスペースの壁は単層と仮定する - 덕트 공간 벽 두께 참고 : 덕트 공간의 벽은 단층 가정 - - - - BaseMaterial - The material from which the base of the chamber is constructed. -NOTE: It is assumed that chamber base will be constructed of a single material. - - - - - Base Material - 床の材質 - 바닥의 ​​재질 - - - - ダクトスペース床面の材質。 -注:ダクトスペースの床は単層と仮定する - 덕트 공간 바닥의 재질 참고 : 덕트 공간의 바닥은 단층 가정 - - - - BaseThickness - The thickness of the chamber base construction. -NOTE: It is assumed that chamber base will be constructed at a single thickness. - - - - - - - Base Thickness - 床の厚さ - 바닥의 두께 - - - - ダクトスペース床面の厚さ。 -注:ダクトスペースの床は単層と仮定する - 덕트 공간 바닥의 두께 참고 : 덕트 공간의 바닥은 단층 가정 - - - - AccessCoverMaterial - The material from which the access cover to the chamber is constructed. -NOTE: It is assumed that chamber walls will be constructed of a single material. - - - - - Access Cover Material - アクセス(点検)カバーの材質 - 사용 (체크) 커버의 재질 - - - - アクセス(点検)カバーの材質。 -注:バイブスペースの壁は単層と仮定する - 액세스 (체크) 커버의 재질 주 : 바이브 공간의 벽은 단층 가정 - - - - - - メーター室に関する属性情報。 - - - - - Pset_DistributionChamberElementTypeSump - Recess or small chamber into which liquid is drained to facilitate its removal. - - - IfcDistributionChamberElement/SUMP - - IfcDistributionChamberElement/SUMP - - - Length - The length of the sump. - - - - - - - Length - 長さ - 길이 - - - - 排水チャンバーの長さ。 - 배수 챔버의 길이 - - - - Width - The width of the sump. - - - - - - - Width - - - - - - 排水チャンバーの幅。 - 배수 챔버의 폭 - - - - InvertLevel - The lowest point in the cross section of the sump. - - - - - - - Invert Level - 最大深さ - 최대 깊이 - - - - 断面の最も低い部分の深さ(地面から)。 - 단면의 가장 낮은 부분의 깊이 (지상에서) - - - - - - 排水チャンバー(ピット)に関する属性情報。 - - - - - Pset_DistributionChamberElementTypeTrench - Excavation, the length of which greatly exceeds the width. - - - IfcDistributionChamberElement/TRENCH - - IfcDistributionChamberElement/TRENCH - - - Width - The width of the trench. - - - - - - - Width - 長さ - 길이 - - - - 溝の長さ。 - 홈의 길이 - - - - Depth - The depth of the trench. - - - - - - - Depth - - - - - - 溝の幅。 - 홈의 폭 - - - - InvertLevel - Level of the lowest part of the cross section as measured from ground level. - - - - - - - Invert Level - 最大深さ - 최대 깊이 - - - - 断面の最も低い部分の深さ(地面から)。 - 단면의 가장 낮은 부분의 깊이 (지상) - - - - - - チャンバーの溝(長さは幅より長い)に関する属性情報。 - - - - - Pset_DistributionChamberElementTypeValveChamber - Chamber that houses a valve(s). - - - IfcDistributionChamberElement/VALVECHAMBER - - IfcDistributionChamberElement/VALVECHAMBER - - - ChamberLengthOrRadius - Length or, in the event of the shape being circular in plan, the radius of the chamber. - - - - - - - Chamber Length Or Radius - チャンバーの長さあるいは半径 - 챔버의 길이 또는 반경 - - - - チャンバーの長さあるいは円形チャンバーの半径。 - 챔버의 길이 또는 원형 챔버의 반경 - - - - ChamberWidth - Width, in the event of the shape being non circular in plan. - - - - - - - Chamber Width - チャンバー幅 - 챔버의 너비 - - - - 非円形チャンバーの幅。 - 비원 챔버의 폭 - - - - WallMaterial - The material from which the wall of the chamber is constructed. -NOTE: It is assumed that chamber walls will be constructed of a single material. - - - - - Wall Material - 壁の材質 - 벽의 재질 - - - - ダクトスペース壁の材質。 -注:ダクトスペースの壁は単層と仮定する - 덕트 공간 벽의 재질 참고 : 덕트 공간의 벽은 단층 가정 - - - - WallThickness - The thickness of the chamber wall construction. -NOTE: It is assumed that chamber walls will be constructed at a single thickness. - - - - - - - Wall Thickness - 壁厚さ - 벽 두께 - - - - ダクトスペース壁の厚さ。 -注:ダクトスペースの壁は単層と仮定する - 덕트 공간 벽 두께 참고 : 덕트 공간의 벽은 단층 가정 - - - - BaseMaterial - The material from which the base of the chamber is constructed. -NOTE: It is assumed that chamber base will be constructed of a single material. - - - - - Base Material - 床の材質 - 바닥의 재질 - - - - ダクトスペース床面の材質。 -注:ダクトスペースの床は単層と仮定する - 덕트 공간 바닥의 재질 참고 : 덕트 공간의 바닥은 단층 가정 - - - - BaseThickness - The thickness of the chamber base construction. -NOTE: It is assumed that chamber base will be constructed at a single thickness. - - - - - - - Base Thickness - 床の厚さ - 바닥의 두께 - - - - ダクトスペース床面の厚さ。 -注:ダクトスペースの床は単層と仮定する - 덕트 공간 바닥의 두께 참고 : 덕트 공간의 바닥은 단층 가정 - - - - AccessCoverMaterial - The material from which the access cover to the chamber is constructed. -NOTE: It is assumed that chamber walls will be constructed of a single material. - - - - - Access Cover Material - アクセス(点検)カバーの材質 - 사용(체크)커버의 재질 - - - - アクセス(点検)カバーの材質。 -注:バイブスペースの壁は単層と仮定する - 액세스 (체크) 커버의 재질 주 : 바이브 공간의 벽은 단층 가정 - - - - - - バルブ室(バルブチャンバー)に関する属性情報。 - - - - - Pset_DistributionPortCommon - Common attributes attached to an instance of IfcDistributionPort. - - - IfcDistributionPort - - IfcDistributionPort - - - PortNumber - The port index for logically ordering the port within the containing element or element type. - - - - - - - Port Number - ポート番号 - 포트 번호 - - - - ポートに含まれる要素、種類を示す番号。 - 포트에 포함되는 요소 유형을 나타내는 숫자 - - - - ColorCode - Name of a color for identifying the connector, if applicable. - - - - - - - Color Code - 色番号 - 색상번호 - - - - コネクタの色。 - 커넥터 고유 이름 - - - - - - IfcDistributionPortオブジェクトに関する基本属性。 - - - - - Pset_DistributionPortPHistoryCable - Log of electrical activity attached to an instance of IfcPerformanceHistory having an assigned IfcDistributionPort of type CABLE. - - - IfcDistributionPort/CABLE - - IfcDistributionPort/CABLE - - - Current - Log of electrical current. - - - - - Current - 電流 - - - - 電流のログ。 - - - - Voltage - Log of electrical voltage. - - - - - Voltage - 電圧 - - - - 電圧のログ。 - - - - RealPower - Real power. - - - - - Real Power - 有効電力 - - - - 有効電力。 - - - - ReactivePower - Reactive power. - - - - - Reactive Power - 無効電力 - - - - 無効電力。 - - - - ApparentPower - Apparent power. - - - - - Apparent Power - 皮相電力 - - - - 皮相電力。 - - - - PowerFactor - Power factor. - - - - - Power Factor - パワーファクタ - - - - パワーファクタ。 - - - - DataTransmitted - For data ports, captures log of data transmitted. The LIST at IfcTimeSeriesValue.Values may split out data according to Pset_DistributionPortTypeCable.Protocols. - - - - - Data Transmitted - 発信 - - - - 発信データのログ。IfcTimeSeriesValue.Valuesのリスト値にはPset_DistributionPortTypeCable.Protocolsよりデータを送信する。 - - - - DataReceived - For data ports, captures log of data received. The LIST at IfcTimeSeriesValue.Values may split out data according to Pset_DistributionPortTypeCable.Protocols. - - - - - Data Received - 受信 - - - - 受信データのログ。IfcTimeSeriesValue.Valuesのリスト値にはPset_DistributionPortTypeCable.Protocolsよりデータを受信する。 - - - - - - IfcDistributionPortオブジェクトがELECTRICAL型の際に関連するIfcPerformanceHistoryに設定される電力使用のログ。 - - - - - Pset_DistributionPortPHistoryDuct - Fluid flow performance history attached to an instance of IfcPerformanceHistory assigned to IfcDistributionPort. This replaces the deprecated IfcFluidFlowProperties for performance values. - - - IfcDistributionPort/DUCT - - IfcDistributionPort/DUCT - - - Temperature - Temperature of the fluid. For air this value represents the dry bulb temperature. - - - - - Temperature - - - - - - - WetBulbTemperature - Wet bulb temperature of the fluid; only applicable if the fluid is air. - - - - - Wet Bulb Temperature - - - - - - - VolumetricFlowRate - The volumetric flow rate of the fluid. - - - - - Volumetric Flow Rate - - - - - - - MassFlowRate - The mass flow rate of the fluid. - - - - - Mass Flow Rate - - - - - - - FlowCondition - Defines the flow condition as a percentage of the cross-sectional area. - - - - - Flow Condition - - - - - - - Velocity - The velocity of the fluid. - - - - - Velocity - - - - - - - Pressure - The pressure of the fluid. - - - - - Pressure - - - - - - - - - - - - - Pset_DistributionPortPHistoryPipe - Log of substance usage attached to an instance of IfcPerformanceHistory having an assigned IfcDistributionPort of type PIPE. - - - IfcDistributionPort/PIPE - - IfcDistributionPort/PIPE - - - Temperature - The temperature of the fuel. - - - - - Temperature - 温度 - - - - 燃料の温度。 - - - - Pressure - The pressure of the fuel. - - - - - Pressure - 圧力 - - - - 燃料の圧力。 - - - - Flowrate - The flowrate of the fuel. - - - - - Flowrate - 流量 - - - - 燃料の流速。 - - - - - - IfcDistributionPortオブジェクトがGAS型の際に関連するIfcPerformanceHistoryに設定される燃料使用のログ。 - - - - - Pset_DistributionPortTypeCable - Cable port occurrence attributes attached to an instance of IfcDistributionPort. - - - IfcDistributionPort/CABLE - - IfcDistributionPort/CABLE - - - ConnectionType - The physical port connection: - -ACPLUG: AC plug -DCPLUG: DC plug -CRIMP: bare wire - - - - ACPLUG - DCPLUG - CRIMPCOAXIAL - RJ - RADIO - DIN - DSUB - DVI - EIAJ - HDMI - RCA - TRS - XLR - OTHER - NOTKNOWN - UNSET - - - - ACPLUG - Plug for power using alternating current (AC) - - AC Plug - - - AC plug - - - - DCPLUG - Plug for power using direct current (DC) - - DC Plug - - - DC plug - - - - COAXIAL - Coaxial cable for high-speed communication - - Coaxial - - - - - - - CRIMP - Crimped wire - - Crimp - - - - - - - RJ - Registered jack - - Rj - - - - - - - RADIO - Radio wave transmission - - Radio - - - - - - - DIN - - DIN - - - - - - - DSUB - - - D-Sub - - - - - - - DVI - Digital video interchange - - DVI - - - - - - - EIAJ - - EIAJ - - - - - - - HDMI - High Definition Multimedia Interface - - HDMI - - - High-definition multimedia interface - - - - RCA - - - RCA - - - - - - - SOCKET - Socket for a light bulb, where the ConnectionSubtype identifies the base (though not necessarily the bulb shape or size). - - - - - TRS - - TRS - - - - - - - USB - Universal serial bus - - USB - - - - - - - XLR - - XLR - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Connection Type - 接続タイプ - - - - 物理ポート接続: - -- ACPLUG: AC プラグ -- DCPLUG: DC プラグ -- CRIMP: 裸線 - - - - ConnectionSubtype - <p>The physical port connection subtype that further qualifies the ConnectionType. The following values are recommended:</p> - -<ul> -<li>ACPLUG: A, B, C, D, E, F, EF, G, H, I, J, K, L, M</li> -<li>DIN: Mini3P, Mini4P, Mini5P, Mini6P, Mini7P, Mini8P, Mini9P</li> -<li>DSub: DA15, DB25, DC37, DD50, DE9, DE15</li> -<li>EIAJ: RC5720</li> - -<li>HDMI: A, B, C</li> -<li>RADIO: IEEE802.11g, IEEE802.11n -</li> -<li>RJ: 4P4C, 6P2C, 8P8C</li> -<li>SOCKET: E-11, E-12, E-14, E-17, E-26, E-27, E-39, E-40</li> -<li>TRS: TS_Mini, TS_SubMini, TRS_Mini, TRS_SubMini</li> -</ul> - - - - - - - Connection Subtype - 接続サブタイプ - - - - 物理ポート接続のサブタイプ。接続タイプ以外の情報を設定する場合に使用。下記の値を設定: - -- ACプラグ: A, B, C, D, E, F, EF, G, H, I, J, K, L, M - - - - ConnectionGender - The physical connection gender. - - - - - - MALE - - Male - - - - - - - FEMALE - - Female - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Connection Gender - 接続ジェンダー - - - - 形状的な接続ジェンダー(オス、メス、その他、未知、未設定)。 - - - - ConductorFunction - For ports distributing power, indicates function of the conductors to which the load is connected. - - - - - - PHASE_L1 - - Phase L1 - - - - - - - PHASE_L2 - - Phase L2 - - - - - - - PHASE_L3 - - Phase L3 - - - - - - - NEUTRAL - - Neutral - - - - - - - PROTECTIVEEARTH - - Protective Earth - - - - - - - PROTECTIVEEARTHNEUTRAL - - Protective Earth Neutral - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Conductor Function - 電線種類 - - - - 電気負荷と連結する電線種類。 - - - - CurrentContent3rdHarmonic - The ratio between the third harmonic current and the phase current. - - - - - - - Current Content3rd Harmonic - 第3高調波電流と相電流の比 - - - - 第3高調波電流と相電流の比率。 - - - - Current - The actual current and operable range. - - - - - - - Current - 電流 - - - - 実電流と動作可能範囲。 - - - - Voltage - The actual voltage and operable range. - - - - - - - Voltage - 電圧 - - - - 実電圧と動作可能範囲。 - - - - Power - The actual power and operable range. - - - - - - - Power - 電力 - - - - 実電力と動作可能範囲。 - - - - Protocols - For data ports, identifies the protocols used as defined by the Open System Interconnection (OSI) Basic Reference Model (ISO 7498). Layers include: 1. Physical; 2. DataLink; 3. Network; 4. Transport; 5. Session; 6. Presentation; 7. Application. Example: 3:IP, 4:TCP, 5:HTTP - - - - - - - - - Protocols - プロトコル - - - - OSIのオープンシステム相互接続用基本プロトコル(ISO 7498): -1. 物理層; 2.データリンク層; 3. ネットワーク層; 4. トランスポート層; 5. セッション層; 6.プレゼンテーション層 ; 7. アプリケーション層. -例: 3:IP, 4:TCP, 5:HTTP - - - - - - IfcDistributionPortオブジェクトに設定される電力ポートに関する属性情報。 - - - - - Pset_DistributionPortTypeDuct - Duct port occurrence attributes attached to an instance of IfcDistributionPort. - - - IfcDistributionPort/DUCT - - IfcDistributionPort/DUCT - - - ConnectionType - The end-style treatment of the duct port: - -BEADEDSLEEVE: Beaded Sleeve. -COMPRESSION: Compression. -CRIMP: Crimp. -DRAWBAND: Drawband. -DRIVESLIP: Drive slip. -FLANGED: Flanged. -OUTSIDESLEEVE: Outside Sleeve. -SLIPON: Slipon. -SOLDERED: Soldered. -SSLIP: S-Slip. -STANDINGSEAM: Standing seam. -SWEDGE: Swedge. -WELDED: Welded. -OTHER: Another type of end-style has been applied. -NONE: No end-style has been applied. - - - - BEADEDSLEEVE - COMPRESSION - CRIMP - DRAWBAND - DRIVESLIP - FLANGED - OUTSIDESLEEVE - SLIPON - SOLDERED - SSLIP - STANDINGSEAM - SWEDGE - WELDED - OTHER - NONE - USERDEFINED - NOTDEFINED - - - - BEADEDSLEEVE - - Beaded Sleeve - - - Beaded Sleeve - - - - COMPRESSION - - Compression - - - Compression - - - - CRIMP - - Crimp - - - Crimp - - - - DRAWBAND - - Drawband - - - Drawband - - - - DRIVESLIP - - Driveslip - - - Drive slip - - - - FLANGED - - Flanged - - - Flanged - - - - OUTSIDESLEEVE - - Outside Sleeve - - - Outside Sleeve - - - - SLIPON - - Slipon - - - Slipon - - - - SOLDERED - - Soldered - - - Soldered - - - - SSLIP - - S-Slip - - - S-Slip - - - - STANDINGSEAM - - Standing seam - - - Standing seam - - - - SWEDGE - - Swedge - - - Swedge - - - - WELDED - - Welded - - - Welded - - - - OTHER - - (other) - - - Value is not listed. - - - - NONE - - None - - - No end-style has been applied - - - - USERDEFINED - - Userdefined - - - - - - - NOTDEFINED - - Notdefined - - - - - - - - - - Connection Type - - - - - - - ConnectionSubType - The physical port connection subtype that further qualifies the ConnectionType. - - - - - - - Connection Sub Type - - - - - - - NominalWidth - The nominal width or diameter of the duct connection. - - - - - - - Nominal Width - - - - - - - NominalHeight - The nominal height of the duct connection. Only provided for rectangular shaped ducts. - - - - - - - Nominal Height - - - - - - - NominalThickness - The nominal wall thickness of the duct at the connection point. - - - - - - - Nominal Thickness - - - The nominal wall thickness of the duct at the connection point. - - - - DryBulbTemperature - Dry bulb temperature of the air. - - - - - - - Dry Bulb Temperature - - - - - - - WetBulbTemperature - Wet bulb temperature of the air. - - - - - - - Wet Bulb Temperature - - - - - - - VolumetricFlowRate - The volumetric flow rate of the fluid. - - - - - - - Volumetric Flow Rate - - - - - - - Velocity - The velocity of the fluid. - - - - - - - Velocity - - - - - - - Pressure - The pressure of the fluid. - - - - - - - Pressure - - - - - - - - - - - - - Pset_DistributionPortTypePipe - Pipe port occurrence attributes attached to an instance of IfcDistributionPort. - - - IfcDistributionPort/PIPE - - IfcDistributionPort/PIPE - - - ConnectionType - The end-style treatment of the pipe port: - -BRAZED: Brazed. -COMPRESSION: Compression. -FLANGED: Flanged. -GROOVED: Grooved. -OUTSIDESLEEVE: Outside Sleeve. -SOLDERED: Soldered. -SWEDGE: Swedge. -THREADED: Threaded. -WELDED: Welded. -OTHER: Another type of end-style has been applied. -NONE: No end-style has been applied. -USERDEFINED: User-defined port connection type. -NOTDEFINED: Undefined port connection type. - - - - BRAZED - COMPRESSION - FLANGED - GROOVED - OUTSIDESLEEVE - SOLDERED - SWEDGE - THREADED - WELDED - OTHER - NONE - UNSET - - - - BRAZED - - Brazed - - - Brazed - - - - COMPRESSION - - Compression - - - Compression - - - - FLANGED - - Flanged - - - Flanged - - - - GROOVED - - Grooved - - - Grooved - - - - OUTSIDESLEEVE - - Outside Sleeve - - - Outside Sleeve - - - - SOLDERED - - Soldered - - - Soldered - - - - SWEDGE - - Swedge - - - Swedge - - - - THREADED - - Threaded - - - Threaded - - - - WELDED - - Welded - - - Welded - - - - OTHER - - (other) - - - Value is not listed. - - - - NONE - - None - - - No end-style has been applied - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Connection Type - 接続タイプ - - - - 物理ポート接続: - -- Coaxial: 同軸コネクタ. -- DSub: D-Subコネクタ. -- Infrared:赤外線 -- RJ: 登録済みジャック. -- Radio: 無線 -- USB: USB. - - - - ConnectionSubType - The physical port connection subtype that further qualifies the ConnectionType. - - - - - - - Connection Sub Type - 接続サブタイプ - - - - 物理ポート接続のサブタイプ。接続タイプ以外の情報を設定する場合に使用。下記の値を設定: - -- DSub: DA15, DB25, DC37, DD50, DE9, DE15 -- Radio: IEEE802.11g, IEEE802.11n -- RJ: 4P4C, 6P2C, 8P8C -- USB: A, B, MiniA, MiniB, MicroA, MicroB - - - - NominalDiameter - The nominal diameter of the pipe connection. - - - - - - - Nominal Diameter - 呼び径 - - - - 配管の呼び径。 - - - - InnerDiameter - The actual inner diameter of the pipe. - - - - - - - Inner Diameter - 内径 - - - - 配管の実内径。 - - - - OuterDiameter - The actual outer diameter of the pipe. - - - - - - - Outer Diameter - 外径 - - - - 配管の実外径。 - - - - Temperature - Temperature of the fluid. - - - - - - - Temperature - 温度 - - - - 流体の温度。 - - - - VolumetricFlowRate - The volumetric flow rate of the fluid. - - - - - - - Volumetric Flow Rate - 体積流量 - - - - 流体の体積流量。 - - - - MassFlowRate - The mass flow rate of the fluid. - - - - - - - Mass Flow Rate - 質量流量 - - - - 流体の質量流量。 - - - - FlowCondition - Defines the flow condition as a percentage of the cross-sectional area. - - - - - - - Flow Condition - 流動状態 - - - - 断面の充満率で流動状態を定義する。 - - - - Velocity - The velocity of the fluid. - - - - - - - Velocity - 速度 - - - - 流体の速度。 - - - - Pressure - The pressure of the fluid. - - - - - - - Pressure - 圧力 - - - - 流体の圧力。 - - - - - - IfcDistributionPortオブジェクトに設定される配管ポートに関する属性情報。 - - - - - Pset_DistributionSystemCommon - Distribution system occurrence attributes attached to an instance of IfcDistributionSystem. - - - IfcDistributionSystem - - IfcDistributionSystem - - - Reference - Reference ID for this specific instance of a distribution system, or sub-system (e.g. 'WWS/VS1', which indicates the system to be WWS, subsystems VSI/400). The reference values depend on the local code of practice. - - - - - - - Reference - 参照記号 - 참조기호 - - - - 空調システム、或いはサブシステムの参照ID(例えば、'WWS/VS1'はWWS系統のVSI/400サブ系統)。IDは当該地域技術基準より決められる。 - 공조 시스템 혹은 서브 시스템의 참조 ID (예 : 'WWS/VS1'는 WWS 계통의 VSI/400 하위 계통). ID는 해당 지역 기술 기준보다 결정된다. - - - - - - 搬送システムIfcDistributionSystemの関連属性。 - - - - - Pset_DistributionSystemTypeElectrical - Properties of electrical circuits. - - - IfcDistributionSystem/ELECTRICAL - - IfcDistributionSystem/ELECTRICAL - - - ElectricalSystemType - For certain purposes of electrical regulations, IEC 60364 defines types of system using type identifiers. Assignment of identifiers depends upon the relationship of the source, and of exposed conductive parts of the installation, to Ground (Earth). Identifiers that may be assigned through IEC 60364 are: - -•TN type system, a system having one or more points of the source of energy directly earthed, the exposed conductive parts of the installation being connected to that point by protective conductors, -•TN C type system, a TN type system in which neutral and protective functions are combined in a single conductor throughout the system, -•TN S type system, a TN type system having separate neutral and protective conductors throughout the system, -•TN C S type system, a TN type system in which neutral and protective functions are combined in a single conductor in part of the system, -•TT type system, a system having one point of the source of energy directly earthed, the exposed conductive parts of the installation being connected to earth electrodes electrically independent of the earth electrodes of the source, -•IT type system, a system having no direct connection between live parts and Earth, the exposed conductive parts of the electrical installation being earthed. - - - - TN - TN_C - TN_S - TN_C_S - TT - IT - OTHER - NOTKNOWN - UNSET - - - - TN - - TN - - - - - - - TN_C - - TN C - - - - - - - TN_S - - TN S - - - - - - - TN_C_S - - TN C S - - - - - - - TT - - TT - - - - - - - IT - - IT - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Electrical System Type - 電気システム方式 - 전기 시스템 방식 - - - - IEC60364電気基準に定義した電気接地の方式。電気設備の種類、接地電極と設備の導電性部分の種類で決められる。具体的なには、IEC60364に下記のような方法がある: - - -- TNシステム:電気設備は一点或いは多点の接地点を持ち、直接接地されるシステム。設備と接地極の導電性部分は保護されていること。 -- TN Cシステム:系統の全てにわたって、中性線と保護導体が一つの導体のTNシステム。 -- TN Sシステム:系統の全てにわたって、独立の中性線と保護導体を有するTNシステム。 -- TN C Sシステム:系統の一部では、中性線と保護導体が一つの導体のTNシステム。 -- TTシステム:一点を大地に直接接続し、電力系統の接地とは無関係に、設備の露出導電性部分を大地に直接接地すること。 -- ITシステム:電力システムを大地(接地)から絶縁する、設備の露出導電性部分を大地に直接接地すること。 - IEC60364 전기 기준으로 정의한 전기 접지 방식. 전기 설비의 종류, 접지 전극 시설의 도전성 부분 유형에 결정된다. 구체적인에는 IEC60364에 다음과 같은 방법이있다. · TN 시스템 : 전기 설비는한데 또는 다점 접지 점을 가지고 직접 접지되는 시스템. 시설과 접지극의 도전성 부분을 보호하는 것. · TN C 시스템 : 계통의 모든 걸쳐 중성선과 보호 도체가 하나의 도체 TN 시스템. · TN S 시스템 : 계통의 모든 걸쳐 독립 중성선과 보호 도체가있는 TN 시스템. · TN C S 시스템 : 계통의 일부가, 중성선과 보호 도체가 하나의 도체 TN 시스템. · TT 시스템 : 한 점을 대지에 직접 연결하여 전력 계통의 접지와는 상관없이 설비의 노출 도전성 부분을 대지에 직접 접지한다. · IT 시스템 : 전력 시스템을 대지 (접지)로부터 절연하는 설비의 노출 도전성 부분을 대지에 직접 접지한다. - - - - ElectricalSystemCategory - Designates the voltage range of the circuit, according to IEC. HIGHVOLTAGE indicates >1000V AC or >1500V DV; LOWVOLTAGE indicates 50-1000V AC or 120-1500V DC; EXTRALOWVOLTAGE indicates <50V AC or <120V DC. - - - - HIGHVOLTAGE - LOWVOLTAGE - EXTRALOWVOLTAGE - OTHER - NOTKNOWN - UNSET - - - - HIGHVOLTAGE - - High Voltage - - - - - - - LOWVOLTAGE - - Low Voltage - - - - - - - EXTRALOWVOLTAGE - - Extra Low Voltage - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Electrical System Category - 電気システムのカテゴリー - 전기 시스템 카테고리 - - - - IECに準拠した回路の電圧レンジを示す。次の列挙型の値を取る。(HIGHVOLTAGE indicates >1000V AC or >1500V DV; LOWVOLTAGE indicates 50-1000V AC or 120-1500V DC; EXTRALOWVOLTAGE indicates <50V AC or <120V DC.) - IEC에 따른 회로의 전압 범위를 나타낸다. 다음 열거 형의 값을 받는다. (HIGHVOLTAGE indicates> 1000V AC or> 1500V DV; LOWVOLTAGE indicates 50-1000V AC or 120-1500V DC; EXTRALOWVOLTAGE indicates <50V AC or <120V DC) - - - - Diversity - The ratio, expressed as a numerical -value or as a percentage, of the -simultaneous maximum demand of -a group of electrical appliances or -consumers within a specified period, -to the sum of their individual maximum -demands within the same -period. The group of electrical appliances is in this case connected to this circuit. Defenition from IEC 60050, IEV 691-10-04 -NOTE1: It is often not desirable to size each conductor in a distribution system to support the total connected load at that point in the network. Diversity is applied on the basis of the anticipated loadings that are likely to result from all loads not being connected at the same time. -NOTE2: Diversity is applied to final circuits only, not to sub-main circuits supplying other DBs. - - - - - - - Diversity - 負荷率 - 부하율 - - - - ある期間中同じ回路にある複数電気設備の同時最大負荷と各設備の合計負荷の比率。 - 일정 기간 동안 동일 회로에 여러 전기 설비의 동시 최대 부하와 각 설비의 총 부하의 비율. - - - - NumberOfLiveConductors - Number of live conductors within this circuit. Either this property or the ConductorFunction property (if only one) may be asserted. - - - - - - - Number Of Live Conductors - - - - - - - MaximumAllowedVoltageDrop - The maximum voltage drop across the circuit that must not be exceeded. -There are two voltage drop limit settings that may be applied; one for sub-main circuits, and one in each Distribution Board or Consumer Unit for final circuits connected to that board. The settings should limit the overall voltage drop to the required level. Default settings of 1.5% for sub-main circuits and 2.5% for final circuits, giving an overall limit of 4% may be applied. -NOTE: This value may also be specified as a constraint within an IFC model if required but is included within the property set at this stage pending implementation of the required capabilities within software applications. - - - - - - - Maximum Allowed Voltage Drop - 最大許容電圧降下 - 최대허용전압강하 - - - - 電気回路での電圧降下は最大電圧降下を超えないように。二種類の電圧降下限度があり、一つは分岐-主回路、もう一つは各分電盤或いは末端回路の電気需要装置と接続電気盤である。総電圧下降を使用範囲以内に制限する。デフォルト値は分岐-主回路1.5%、末端回路2.5%、合計総電圧4%である。 -注:この値はIFCモデルでの制約値と指定されているが、現段階ではプロプティセットに設定する。将来的には必要な性能として各ソフトアプリケションに利用する。 - 전기 회로에서 전압 강하는 최대 전압 강하를 초과하지 않도록. 두 종류의 전압 강하 한도가 있는데 하나는 분기 - 주회로, 다른 하나는 각 분전반 혹은 말단 회로의 전기 수요 장치와 연결 전기 판이다. 총 전압 하강을 사용 범위 이내로 제한한다. 기본값은 분기 - 주회로 1.5 %, 말단 회로 2.5 %, 합계 총 전압 4 %이다. 참고 :이 값은 IFC 모델에 따라 제한 값이 지정되어 있지만, 현 단계에서는 프로 쁘띠 세트로 설정한다. 미래에 필요한 성능으로 각 소프트웨어 어플 리케이션에 이용한다. - - - - NetImpedance - The maximum earth loop impedance upstream of a circuit (typically stated as the variable Zs). This value is for 55o C (130oF) Celsius usage. - - - - - - - Net Impedance - ネットインピーダンス - 인터넷 임피던스 - - - - 電気回路での最大接地インピーダンス(一般はZsで表示)。55℃ (130°F)での数値。 - 전기 회로에서 최대 접지 임피던스 (일반은 Zs로 표시). 55 ℃ (130 ° F)의 숫자. - - - - - - 電気回路の関連属性。 - - - - - Pset_DistributionSystemTypeVentilation - This property set is used to define the general characteristics of the duct design parameters within a system. -HISTORY: New property set in IFC Release 2.0. Renamed from Pset_DuctDesignCriteria in IFC4. - - - IfcDistributionSystem/VENTILATION - - IfcDistributionSystem/VENTILATION - - - DesignName - A name for the design values. - - - - - - - Design Name - 設計値名称 - 설계 값이름 - - - - 設計値の名称。 - 설계 값의 명칭. - - - - DuctSizingMethod - Enumeration that identifies the methodology to be used to size system components. - - - - CONSTANTFRICTION - CONSTANTPRESSURE - STATICREGAIN - OTHER - NOTKNOWN - UNSET - - - - CONSTANTFRICTION - - Constant Friction - - - - - - - CONSTANTPRESSURE - - Constant Pressure - - - - - - - STATICREGAIN - - Static Regain - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Duct Sizing Method - ダクト寸法の決め方 - 덕트 치수 결정 방법 - - - - ダクト寸法を決める計算方法。 - 덕트 치수를 결정하는 계산 방법. - - - - PressureClass - Nominal pressure rating of the system components. (Data type = PressureMeasure) - - - - - - - Pressure Class - 圧力等級 - 압력 등급 - - - - ダクトシステム各部位の圧力等級(計測した圧力)。 - 덕트 시스템 각 부위의 압력 등급 (측정된 압력) - - - - LeakageClass - Nominal leakage rating for the system components. - - - - - - - Leakage Class - 漏れ率 - 누설비율 - - - - ダクトシステム各部位の漏れ率。 - 덕트 시스템 각 부위의 누출 비율. - - - - FrictionLoss - The pressure loss due to friction per unit length. (Data type = PressureMeasure/LengthMeasure) - - - - - - - Friction Loss - 摩擦損失 - 마찰 소실 - - - - 単位長さあたりの圧力損失(計測した圧力損失/ダクト長さ)。 - 단위 길이 당 압력 손실 (측정 압력 손실 / 덕트 길이). - - - - ScrapFactor - Sheet metal scrap factor. - - - - - - - Scrap Factor - 廃材率 - 폐기물 비율 - - - - 金属板の廃材率。 - 금속판의 폐재 비율. - - - - DuctSealant - Type of sealant used on the duct and fittings. - - - - - Duct Sealant - ダクトの密閉性 - 덕트 밀폐 - - - - ダクトと継ぎ手の密閉形式。 - 덕트와 이음새의 밀폐 형식입니다. - - - - MaximumVelocity - The maximum design velocity of the air in the duct or fitting. - - - - - - - Maximum Velocity - 最大速度 - 최대 속도 - - - - ダクト或いは継ぎ手の最大設計風速。 - 덕트 또는 이음새의 최대 설계 바람. - - - - AspectRatio - The default aspect ratio. - - - - - - - Aspect Ratio - アスペクト比 - 화면 비율 - - - - デフォルトアスペクト比。 - 기본 화면 비율. - - - - MinimumHeight - The minimum duct height for rectangular, oval or round duct. - - - - - - - Minimum Height - 最小高さ - 최소 높이 - - - - 矩形、円形或いは楕円形ダクトの最小高さ。 - 사각형, 원형 또는 타원형 덕트의 최소 높이입니다. - - - - MinimumWidth - The minimum duct width for oval or rectangular duct. - - - - - - - Minimum Width - 最小幅 - 최소폭 - - - - 矩形、円形或いは楕円形ダクトの最小幅。 - 사각형, 원형 또는 타원형 덕트의 최소 폭. - - - - - - ダクトシステムの一般的な特徴、パラメーターの属性。 - - - - - Pset_DoorCommon - Properties common to the definition of all occurrences of IfcDoor. - - - IfcDoor - - IfcDoor - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Bauteiltyp - Reference - Reference - 参照記号 - 参考号 - - - Bezeichnung zur Zusammenfassung gleichartiger Bauteile zu einem Bauteiltyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1") pour désigner un "type de construction". Une alternative au nom d'un objet type lorsque les objets types ne sont pas gérés par le logiciel. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 若未采用已知的分类系统,则该属性为该项目中该类型构件的参考编号(例如,类型A-1)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - FireRating - Fire rating for this object. It is given according to the national fire safety code or regulation. - - - - - - - Feuerwiderstandsklasse - Fire Rating - ResistanceAuFeu - 耐火等級 - 防火等级 - - - Feuerwiderstandsklasse für den Brandschutz gemäß der nationalen oder regionalen Richtlinie die für den Brandschutz der Brandschutztür gewährleistet werden muss. - - Classement au feu de l'élément donné selon la classification nationale de sécurité incendie. - 主要な耐火等級。関連する建築基準法、消防法などの国家基準を参照。 - 该构件的防火等级。 -该属性的依据为国家防火安全分级。 - - - - AcousticRating - Acoustic rating for this object. -It is provided according to the national building code. It indicates the sound transmission resistance of this object by an index ratio (instead of providing full sound absorbtion values). - - - - - - - Schallschutzklasse - Acoustic Rating - IsolationAcoustique - 遮音等級 - 隔音等级 - - - Schallschutzklasse gemäß der nationalen oder regionalen Richtlinie die als Mindestanforderung für die Schalldämmung der Tür gewährleistet sein muss. - - Classement acoustique de cet objet. Donné selon le Code National du Bâtiment. Il indique la résistance à la transmission du son de cet objet par une valeur de référence (au lieu de fournir les valeurs totales d'absorption du son). - 遮音等級情報。関連する建築基準法を参照。 - 该构件的隔音等级。 -该属性的依据为国家建筑规范。为表示该构件隔音效果的比率(而不是完全吸收声音的值)。 - - - - SecurityRating - Index based rating system indicating security level. -It is giving according to the national building code. - - - - - - - Widerstandsklasse - Security Rating - NiveauSecurite - 防犯等級 - 安全等级 - - - Widerstandsklasse für den Einbruchschutz gemäß der nationalen oder regionalen Richtlinie die als Mindestanforderung für die Einbruchhemmung der Tür gewährleistet sein muss. - - Système de classification par indices, indiquant le niveau de sécurité. - 防犯等級情報。関連する基準を参照。 - 表示安全程度的参考性等级。 -该属性的依据为国家建筑规范。 - - - - DurabilityRating - Durability against mechanical stress. It is given according to the national code or regulation. - - - - - - - Beanspruchungsklasse - Durability Rating - Durabilité - - - Mechanische Widerstandsfähigkeit gegen immer wiederkehrende Bewegungen und Einflüsse gemäß der nationalen oder regionalen Richtlinie. - - Durabilité au stress mécanique, selon une classification ou règlementation nationale. - - - - HygrothermalRating - Resistence against hygrothermal impact from different temperatures and humidities inside and outside. It is given according to the national code or regulation. - - - - - - - Klimaklasse - Hygrothermal Rating - Résistance hygrothermique - - - Hygrothermische Widerstandsfähigkeit gegen Temperatur- und Feuchteunterschiede gemäß der nationalen oder regionalen Richtlinie als Mindestanforderung gegen die Verformung der Tür. - - Résistance à l'impact hygrothermique des différences de température et d'humidité entre l'intérieur et l'extérieur, selon une classification ou règlementation nationale. - - - - WaterTightnessRating - Water tightness rating for this object. -It is provided according to the national building code. - - - - - - - - - - MechanicalLoadRating - Mechanical load rating for this object. -It is provided according to the national building code. - - - - - - - - - - WindLoadRating - Wind load resistance rating for this object. -It is provided according to the national building code. - - - - - - - - - - Infiltration - Infiltration flowrate of outside air for the filler object based on the area of the filler object at a pressure level of 50 Pascals. It shall be used, if the length of all joints is unknown. - - - - - - - Luftdurchlässigkeit - Infiltration - TauxInfiltration - - - Luftaustausch über die Fugen der geschlossenen Tür (Q-Wert). Gibt die Luftdurchlässigkeit der gesamten Tür bei einem Luftdruckniveau von 50 Pascal an. - - Taux d'infiltration de l'air extérieur lorsqu'on soumet la porte à une pression de 50 pascals. Cette valeur sera utilisée si la longueur des joints n'est pas connue. - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external element and faces the outside of the building. - - - - - - - Außenbauteil - Is External - EstExterieur - 外部区分 - 是否外部构件 - - - Angabe, ob dieses Bauteil ein Aussenbauteil ist (JA) oder ein Innenbauteil (NEIN). Als Aussenbauteil grenzt es an den Aussenraum (oder Erdreich, oder Wasser). - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - 外部の部材かどうかを示すブーリアン値。もしTRUEの場合、外部の部材で建物の外側に面している。 - 表示该图元是否设计为外部构件。若是,则该图元为外部图元,朝向建筑物的外部。 - - - - ThermalTransmittance - Thermal transmittance coefficient (U-Value) of a material. -It applies to the total door construction. - - - - - - - U-Wert - Thermal Transmittance - TransmissionThermique - 熱貫流率 - 导热系数 - - - Wärmedurchgangskoeffizient (U-Wert) der Materialschichten. -Hier der Gesamtwärmedurchgangskoeffizient der Tür. - - Coefficient de transmission thermique (U) d'un matériau. Il s'applique à l'ensemble de la porte. - 熱貫流率U値。 - 材料的导热系数(U值)。 -适用于门的整体结构。 - - - - GlazingAreaFraction - Fraction of the glazing area relative to the total area of the filling element. -It shall be used, if the glazing area is not given separately for all panels within the filling element. - - - - - - - Glasflächenanteil - Glazing Area Fraction - FractionSurfaceVitree - - - Anteil der verglasten Fläche an der Gesamtfläche der Tür. - - Part de surface de vitrage par rapport à la surface totale de l'élément de remplissage. Doit être utilisée si la surface de vitrage n'est pas donnée séparément pour tous les panneaux occupant l'ouverture. - - - - HandicapAccessible - Indication that this object is designed to be accessible by the handicapped. -It is giving according to the requirements of the national building code. - - - - - - - Behindertengerecht - Handicap Accessible - AccessibleHandicapes - - - Angabe, ob die Tür behindertengerecht gemäß der nationalen oder regionalen Verordnung ist (JA), oder nicht (NEIN). - - Indique que cet objet est conçu pour être accessible aux handicapés. Indication donnée selon le Code National. - - - - FireExit - Indication whether this object is designed to serve as an exit in the case of fire (TRUE) or not (FALSE). -Here it defines an exit door in accordance to the national building code. - - - - - - - Notausgang - Fire Exit - Sortie Secours - 非常口区分 - 是否为紧急出口 - - - Angabe, ob die Tür ein Notausgang gemäß der nationalen oder regionalen Brandschutzverordnung ist (JA), oder nicht (NEIN).. - - Indique si cet objet est conçu pour servir de sortie en cas d'incendie (VRAI) ou non (FAUX). Définition de la sortie de secours selon le Code National. - このオブジェクトが火災時の非常口として設計されているかどうかを示すブーリアン値。ここでは関連する建築基準法における出口ドアとして定義している。 - 表示该构件是否设计为火灾时的紧急出口。 -该属性的依据为国家建筑规范。 - - - - HasDrive - Indication whether this object has an automatic drive to operate it (TRUE) or no drive (FALSE) - - - - - - - Antrieb - Has Drive - - - Angabe, ob dieses Bauteil einen automatischen Antrieb zum Öffnen und Schließen besitzt (JA) oder nicht (NEIN). - - - - - SelfClosing - Indication whether this object is designed to close automatically after use (TRUE) or not (FALSE). - - - - - - - Selbstschliessend - Self Closing - FermetureAutomatique - 自動ドア閉機能区分 - 是否自动关闭 - - - Angabe, ob die Tür sicher und selbständig nach der Benutzung durch einen Türschließer schließt (Ja) oder nicht (NEIN). - - Indique si cet objet est conçu pour une fermeture automatique après usage (VRAI) ou non (FAUX) - このドアが自動的に閉まる機能を有するかどうかのブーリアン値。 - 表示该构件是否设计为自动关闭。 - - - - SmokeStop - Indication whether the object is designed to provide a smoke stop (TRUE) or not (FALSE). - - - - - - - Rauchschutz - Smoke Stop - CoupeFumee - 煙止め機能区分 - 是否防烟 - - - Angabe, ob die Tür einen Rauchschutz gemäß der nationalen oder regionalen Brandschutzverordnung gewährleistet (JA) oder nicht (NEIN). Rauchschutztüren müssen selbstschließend sein. - - Indique si la porte est conçue pour une fonction coupe-fumée (VRAI) ou non (FAUX) - このドアが煙を止める機能を有するかどうかのブーリアン値。 - 表示该构件是否设计为防烟。 - - - - - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de la classe IfcDoor - IfcDoor(ドア)オブジェクトに関する共通プロパティセット定義。 - 所有IfcDoor实例的定义中通用的属性。 - - - - - Pset_DoorWindowGlazingType - Properties common to the definition of the glazing component of occurrences of IfcDoor and IfcWindow, used for thermal and lighting calculations. - - - IfcDoor - IfcWindow - - IfcDoor, IfcWindow - - - GlassLayers - Number of glass layers within the frame. E.g. "2" for double glazing. - - - - - - - German-name-1 - Glass Layers - NombreVitrages - ガラス枚数 - 玻璃层数 - - - German-description-1 - - Nombre de couches de verre dans le cadre. Exemple : 2 pour le double vitrage. - ガラスの枚数。例:"2"はペアガラス。 - 框内玻璃的层数。例如:”2”表示双层玻璃。 - - - - GlassThickness1 - Thickness of the first (inner) glass layer. - - - - - - - German-name-2 - Glass Thickness1 - EpaisseurVitrage1 - ガラス厚1 - 玻璃厚度1 - - - German-description-2 - - Epaisseur de la première couche de verre (côté intérieur) - 最初の(室内側)ガラスの厚み。 - 第一层(内侧)玻璃的厚度。 - - - - GlassThickness2 - Thickness of the second (intermediate or outer) glass layer. - - - - - - - German-name-3 - Glass Thickness2 - EpaisseurVitrage2 - ガラス厚2 - 玻璃厚度2 - - - German-description-3 - - Epaisseur de la deuxième couche de verre (intermédiaire ou côté extérieur) - 2番目(中間、あるいは外側)のガラスの厚み。 - 第二层(中间或外侧)玻璃的厚度。 - - - - GlassThickness3 - Thickness of the third (outer) glass layer. - - - - - - - German-name-4 - Glass Thickness3 - EpaisseurVitrage3 - ガラス厚3 - 玻璃厚度3 - - - German-description-4 - - Epaisseur de la troisième couche de verre (côté extérieur) - 3番目(外側)のガラスの厚み。 - 第三层(外侧)玻璃的厚度。 - - - - FillGas - Name of the gas by which the gap between two glass layers is filled. It is given for information purposes only. - - - - - - - German-name-5 - Fill Gas - GazEntreVitrages - 充填ガス種 - 填充气体 - - - German-description-5 - - Nom du gaz remplissant l'espace entre deux couches de verre. Donné à titre informatif seulement. - 2枚のガラス間の隙間に充填されたガスの名称。これは情報目的専用に提供される。 - 两层玻璃之间填充气体的名称。仅供参考。 - - - - GlassColor - Color (tint) selection for this glazing. It is given for information purposes only. - - - - - - - German-name-6 - Glass Color - CouleurVitrage - ガラス色 - 玻璃颜色 - - - German-description-6 - - Choix de la couleur (teinte) du vitrage. Donné à titre informatif seulement. - ガラスの色合い。これは情報目的専用に提供される。 - 玻璃(贴膜)的颜色。仅供参考。 - - - - IsTempered - Indication whether the glass is tempered (TRUE) or not (FALSE) . - - - - - - - German-name-7 - Is Tempered - VitrageTrempe - 強化ガラス - 是否钢化 - - - German-description-7 - - Indique si le verre est trempé (VRAI) ou non (FAUX). - 強化ガラスか(TRUE)否か(FALSE)を示す。 - 表示玻璃是否经过强化处理。 - - - - IsLaminated - Indication whether the glass is layered with other materials (TRUE) or not (FALSE). - - - - - - - German-name-8 - Is Laminated - VitrageFeuillete - 皮膜を被せたガラス - 是否夹层 - - - German-description-8 - - Indique si le verre est feuilleté (VRAI) ou non (FAUX). - ガラス以外の素材が重ねられているか(TRUE)否か(FALSE)示す。 - 表示玻璃是否具有含其他材料的夹层。 - - - - IsCoated - Indication whether the glass is coated with a material (TRUE) or not (FALSE). - - - - - - - German-name-9 - Is Coated - VitrageTraite - コーティング - 是否镀膜 - - - German-description-9 - - Indique si le verre a subi un traitement de surface (VRAI) ou non (FAUX). - ガラスがコーティングされいるか(TRUE)否か(FALSE)示す。 - 表示玻璃是否具有某种材料的镀膜。 - - - - IsWired - Indication whether the glass includes a contained wire mesh to prevent break-in (TRUE) or not (FALSE) - - - - - - - German-name-10 - Is Wired - VitrageArme - 網入りガラス - 是否夹丝 - - - German-description-10 - - Indique si le verre est un verre armé à maille anti-effraction (VRAI) ou non (FAUX) - 不法侵入防止の網入りガラスか(TRUE)否か(FALSE)示す。 - 表示玻璃是否具有防断裂的纤维网格。 - - - - VisibleLightReflectance - Fraction of the visible light that is reflected by the glazing at normal incidence. It is a value without unit. - - - - - - - Reflektionsgrad für sichtbares Licht - Visible Light Reflectance - ReflexionVisible - 可視光反射率 - 可见光反射率 - - - German-description-12 - - Fraction du rayonnement visible qui est réfléchi par le vitrage sous incidence normale. Valeur sans unité. - ガラスへ法線入射した可視光の反射率。単位の無い値。 - 正射时被玻璃反射的可见光比例。无单位。 - - - - VisibleLightTransmittance - Fraction of the visible light that passes the glazing at normal incidence. It is a value without unit. - - - - - - - Transmissionsgrad für sichtbares Licht - Visible Light Transmittance - TransmittanceVisible - 可視光透過率 - 可见光透射率 - - - German-description-11 - - Fraction du rayonnement visible qui est transmise par le vitrage sous incidence normale. Valeur sans unité. - ガラスへ法線入射した可視光の透過率。単位の無い値。 - 正射时穿透玻璃的可见光比例。无单位。 - - - - SolarAbsorption - (Asol) The ratio of incident solar radiation that is absorbed by a glazing system. It is the sum of the absorption distributed to the exterior (a) and to the interior (qi). Note the following equation Asol + Rsol + Tsol = 1 - - - - - - - Strahlungsabsorbtionsgrad - Solar Absorption - AbsorptionRayonnementSolaire - 日射吸収率 - 太阳能吸收率 - - - German-description-13 - - (Asol). Ratio du rayonnement solaire incident qui est absorbé par le vitrage. Somme de l'absorption distribuée à l'extérieur (a) et à l'intérieur (qi). Noter l'équation suivante : Asol + Rsol + Tsol = 1. - (Asol)ガラスで吸収される日射の比率。吸収の合計は外部(a)と、室内(qi)に分配される。以下の方程式に注意。Asol + Rsol + Tsol = 1 - (Asol)被玻璃系统吸收的太阳入射辐射的比率,为传递到室外和室内的吸收的总量。注:以下等式成立Asol + Rsol + Tsol = 1 - - - - SolarReflectance - (Rsol): The ratio of incident solar radiation that is reflected by a glazing system (also named ρe). Note the following equation Asol + Rsol + Tsol = 1 - - - - - - - Strahlungsreflectionsgrad - Solar Reflectance - ReflexionRayonnementSolaire - 日射反射率 - 太阳能反射率 - - - German-description-14 - - (Rsol). Ratio du rayonnement solaire incident qui est réfléchi par le vitrage. Noter l'équation suivante : Asol + Rsol + Tsol = 1. - (Rsol)ガラスで反射する日射の比率(ρeとも表わされる)。以下の方程式に注意。Asol + Rsol + Tsol = 1 - (Rsol)被玻璃系统反射的太阳入射辐射的比率(也可用ρe表示)。注:以下等式成立Asol + Rsol + Tsol = 1 - - - - SolarTransmittance - (Tsol): The ratio of incident solar radiation that directly passes through a glazing system (also named τe). Note the following equation Asol + Rsol + Tsol = 1 - - - - - - - Strahlungstransmissionsgrad - Solar Transmittance - TransmissionRayonnementSolaire - 日射透過率 - 太阳能透射率 - - - German-description-15 - - (Tsol). Ratio du rayonnement solaire incident qui est transmis directement par le vitrage. Noter l'équation suivante : Asol + Rsol + Tsol = 1. - (Tsol)ガラスを透過する日射の比率(τeとも表わされる)。以下の方程式に注意。Asol + Rsol + Tsol = 1 - (Tsol)透过玻璃系统的太阳入射辐射的比率(也可用τe表示)。注:以下等式成立Asol + Rsol + Tsol = 1 - - - - SolarHeatGainTransmittance - (SHGC): The ratio of incident solar radiation that contributes to the heat gain of the interior, it is the solar radiation that directly passes (Tsol or τe) plus the part of the absorbed radiation that is distributed to the interior (qi). The SHGC is refered to also as g-value (g = τe + qi). - - - - - - - Gesamtenergiedurchlassgrad - Solar Heat Gain Transmittance - ApportsSolaires - 透過太陽熱利得係数 - 太阳能得热系数 - - - German-description-16 - - (SHGC): Ratio du rayonnement solaire incident qui contribue aux apports solaires récupérés. Rayonnemment transmis directement (Tsol ou Te), plus la part de rayonnement absorbé restitué à l'intérieur (qi). Le SHGC est également appelé valeur-g (g = Te + qi). - (SHGC):室内の熱利得の原因となる日射の比率。ガラスの透過分(Tsol or τe)と吸収分の内、室内側(qi)への分配分の和。SHGCは、g値(g = τe + qi)としても参照される。 - (SHGC)导致室内取得热量的入射太阳辐射比率,该值为透射太阳辐射(Tsol或τe)与分配到室内的吸收太阳辐射(qi)的和。SHGC也被称为g值(g = τe + qi)。 - - - - ShadingCoefficient - (SC): The measure of the ability of a glazing to transmit solar heat, relative to that ability for 3 mm (1/8-inch) clear, double-strength, single glass. Shading coefficient is being phased out in favor of the solar heat gain coefficient (SHGC), and is approximately equal to the SHGC multiplied by 1.15. The shading coefficient is expressed as a number without units between 0 and 1. - - - - - - - mittlere Durchlassfaktor b - Shading Coefficient - CoefficientOmbrage - 遮蔽係数 - 遮阳系数 - - - Das Verhältnis aus g-Wert der jeweiligen Verglasung und dem g-Wert eines Zweischeiben-Normalglasfensters. -Der g-Wert dieses Zweischeiben-Normalglasfensters wird als Konstante mit 80 % angesetzt. Bei Einfachglas beträgt die Konstante 87 %, Auch "Shading coefficient" genannt. - - (SC): Mesure de la capacité d'un vitrage à transmettre l'énergie solaire comparativement à un simple vitrage clair, de 3 mm (double renfort). Le coefficient d'atténuation est supprimé progressivement en faveur du coefficient d'apport solaire (SHGC) et est approximativement égal au SHGC multiplié par 1,15. Le coefficient d'atténuation est exprimé comme nombre sans unités entre 0 et 1. - (SC): ガラスの太陽熱伝導の基準、3mm(1/8インチ)透明の一枚ガラスの性能との比。遮蔽係数は太陽熱利得係数(SHGC)に移行し、段階的に廃止、SHGC×1.15とほとんど等しい。遮蔽係数は0から1までの単位無しの値。 - (SC)玻璃传递太阳热量能力的度量,以3mm(1/8英寸)透明双倍强度单层玻璃为基准。遮阳系数有被太阳能得热系数(SHGC)取代的趋势,其值约为SHGC的1.15倍。遮阳系数以大于0小于1的无单位数表示。 - - - - ThermalTransmittanceSummer - Thermal transmittance coefficient (U-Value) of a material. -Summer thermal transmittance coefficient of the glazing only, often referred to as (U-value). - - - - - - - German-name-15 - Thermal Transmittance Summer - TransmittanceThermiqueEte - 夏期の熱透過係数 - 夏季导热系数 - - - German-description-17 - - Coefficient de transmission thermique (U) d'un matériau. Coefficient de transmission thermique en été du vitrage seul, souvent désigné comme étant Uw. - 素材の熱透過係数(U値)。夏期のガラスの熱透過係数だけ、U値として参照される - 材料的导热系数(U值)。 -仅玻璃的夏季导热系数,常以U值表示。 - - - - ThermalTransmittanceWinter - Thermal transmittance coefficient (U-Value) of a material. -Winter thermal transmittance coefficient of the glazing only, often referred to as (U-value). - - - - - - - German-name-16 - Thermal Transmittance Winter - TransmittanceThermiqueHiver - 冬季の熱透過係数 - 冬季导热系数 - - - German-description-18 - - Coefficient de transmission thermique (U) d'un matériau. Coefficient de transmission thermique en hiver du vitrage seul, souvent désigné comme étant Uw. - 素材の熱透過係数(U値)。夏期のガラスの熱透過係数だけ、U値として参照される。 - 材料的导热系数(U值)。 -仅玻璃的冬季导热系数,常以U值表示。 - - - - - - Définition de l'IAI : propriétés communes à la définition du composant vitrage des instances des classes IfcDoor et IfcWindow, utilisées pour des calculs thermiques et d'éclairage. - IfcDoorとIfcWindowにあるガラス部品に関する共通プロパティセット定義。熱と明るさの計算に用いる。 - IfcDoor和IfcWindow实例的玻璃构件定义中通用的属性,用于热工和采光计算。 - - - - - Pset_DuctFittingOccurrence - Duct fitting occurrence attributes. - - - IfcDuctFitting - - IfcDuctFitting - - - InteriorRoughnessCoefficient - The interior roughness of the duct fitting material. - - - - - - - Interior Roughness Coefficient - 内面粗さ係数 - - - - ダクト継手材料の内面粗さ - - - - HasLiner - TRUE if the fitting has interior duct insulating lining, FALSE if it does not. - - - - - - - Has Liner - 内張り有無 - - - - 内貼り保温ダクト内面にあるときにTRUE。無い時にFALSE - - - - Color - The color of the duct segment. - -Note: This is typically used for any duct segments with a painted surface which is not otherwise specified as a covering. - - - - - - - Color - - - - - ダクト継手の色 -メモ:塗装されているときに使用される。他の場合は仕上げとして定義 - - - - - - ダクト継手の属性。 - - - - - Pset_DuctFittingPHistory - Duct fitting performance history common attributes. - - - IfcDuctFitting - - IfcDuctFitting - - - LossCoefficient - Dimensionless loss coefficient used for calculating fluid resistance representing the ratio of total pressure loss to velocity pressure at a referenced cross-section. - - - - - Loss Coefficient - 損失係数 - - - - 参照された断面での動圧に対する全圧損失の比を表わす流体抵抗の計算に使用される無次元の損失係数 - - - - AtmosphericPressure - Ambient atmospheric pressure. - - - - - Atmospheric Pressure - 大気圧 - - - - 周囲の大気圧 - - - - AirFlowLeakage - Volumetric leakage flow rate. - - - - - Air Flow Leakage - 漏れ量 - - - - 体積漏れ流量 - - - - - - ダクト継手の性能履歴共通属性。 - - - - - Pset_DuctFittingTypeCommon - Duct fitting type common attributes. - - - IfcDuctFitting - - IfcDuctFitting - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - PressureClass - Pressure classification as defined by the authority having jurisdiction (e.g., SMACNA, etc.). - - - - - - - Pressure Class - 圧力クラス - - - - 管轄権を持つ当局(SMACNAなど)によって定義された圧力分類 - - - - PressureRange - Allowable maximum and minimum working pressure (relative to ambient pressure). - - - - - - - Pressure Range - 圧力範囲 - - - - 許容最大・最小動作圧力(周辺圧力との相対値) - - - - TemperatureRange - Allowable maximum and minimum temperature. - - - - - - - Temperature Range - 温度範囲 - - - - 許容最高・最低温度 - - - - - - ダクト継手形式共通属性。 - - - - - Pset_DuctSegmentOccurrence - Duct segment occurrence attributes attached to an instance of IfcDuctSegment. - - - IfcDuctSegment - - IfcDuctSegment - - - InteriorRoughnessCoefficient - The interior roughness of the duct fitting material. - - - - - - - Interior Roughness Coefficient - 内面粗さ係数 - - - - ダクト継手材料の内面粗さ - - - - HasLiner - TRUE if the fitting has interior duct insulating lining, FALSE if it does not. - - - - - - - Has Liner - 内張り有無 - - - - 内貼り保温ダクト内面にあるときにTRUE。無い時にFALSE - - - - Color - The color of the duct segment. - -Note: This is typically used for any duct segments with a painted surface which is not otherwise specified as a covering. - - - - - - - Color - - - - - ダクト継手の色 -メモ:塗装されているときに使用される。他の場合は仕上げとして定義 - - - - - - IfcDuctSegmentの値に関連づいたダクト直管の属性。 - - - - - Pset_DuctSegmentPHistory - Duct segment performance history common attributes. - - - IfcDuctSegment - - IfcDuctSegment - - - LossCoefficient - Dimensionless loss coefficient used for calculating fluid resistance representing the ratio of total pressure loss to velocity pressure at a referenced cross-section. - - - - - Loss Coefficient - 損失係数 - - - - 参照された断面での動圧に対する全圧損失の比を表わす流体抵抗の計算に使用される無次元の損失係数 - - - - AtmosphericPressure - Ambient atmospheric pressure. - - - - - Atmospheric Pressure - 大気圧 - - - - 周囲の大気圧 - - - - LeakageCurve - Leakage per unit length curve versus working pressure. If a scalar is expressed then it represents LeakageClass which is flowrate per unit area at a specified pressure rating (e.g., ASHRAE Fundamentals 2001 34.16.). - - - - - Leakage Curve - 漏れ曲線 - - - - 作動圧力に対する単位長さあたりの漏れ曲線。 -スカラー値が表現されている場合は、所定の圧力(例えば、ASHRAE Fundamentals 200134.16)における単位面積当たりの流量である漏れクラスを表す。 - - - - FluidFlowLeakage - Volumetric leakage flow rate. - - - - - Fluid Flow Leakage - 漏れ量 - - - - 体積漏れ流量 - - - - - - ダクト直管性能履歴共通属性。 - - - - - Pset_DuctSegmentTypeCommon - Duct segment type common attributes. - - - IfcDuctSegment - - IfcDuctSegment - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - Shape - Cross sectional shape. Note that this shape is uniform throughout the length of the segment. For nonuniform shapes, a transition fitting should be used instead. - - - - FLATOVAL - RECTANGULAR - ROUND - OTHER - NOTKNOWN - UNSET - - - - FLATOVAL - - Flatoval - - - - - - - RECTANGULAR - - Rectangular - - - - - - - ROUND - - Round - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Shape - 形状 - - - - 断面形状: -この形状は直管を通じて一定である。変形する形状のためには、かわりに変形継手が使用される。(フラットオーバル、角型、丸型 他) - - - - WorkingPressure - Pressure classification as defined by the authority having jurisdiction (e.g., SMACNA, etc.). - - - - - - - Working Pressure - 圧力クラス - - - - 管轄権を持つ当局(SMACNAなど)によって定義された圧力分類 - - - - PressureRange - Allowable maximum and minimum working pressure (relative to ambient pressure). - - - - - - - Pressure Range - 圧力範囲 - - - - 許容最大・最小動作圧力(周辺圧力との相対値) - - - - TemperatureRange - Allowable maximum and minimum temperature. - - - - - - - Temperature Range - 温度範囲 - - - - 許容最高・最低温度 - - - - LongitudinalSeam - The type of seam to be used along the longitudinal axis of the duct segment. - - - - - - - Longitudinal Seam - ハゼ - - - - ハゼの種類は、ダクト直管の縦方向に使用するハゼの種類 - - - - NominalDiameterOrWidth - The nominal diameter or width of the duct segment. - - - - - - - Nominal Diameter Or Width - 呼び径・巾 - - - - ダクト直管の呼び径またはダクト巾 - - - - NominalHeight - The nominal height of the duct segment. - - - - - - - Nominal Height - 呼び高さ - - - - ダクト直管の高さ - - - - Reinforcement - The type of reinforcement, if any, used for the duct segment. - - - - - - - Reinforcement - 補強 - - - - ダクト直管に何か使用されている場合の補強種類 - - - - ReinforcementSpacing - The spacing between reinforcing elements. - - - - - - - Reinforcement Spacing - 補強間隔 - - - - 補強要素間の距離 - - - - - - ダクト直管タイプ共通属性。 - - - - - Pset_DuctSilencerPHistory - Duct silencer performance history common attributes. - - - IfcDuctSilencer - - IfcDuctSilencer - - - AirFlowRate - Volumetric air flow rate. - - - - - Air Flow Rate - 風量 - - - - 体積風量 - - - - AirPressureDropCurve - Air pressure drop as a function of air flow rate. - - - - - Air Pressure Drop Curve - 圧力降下曲線 - - - - 風量の関数としての空気圧力降下 - - - - - - ダクト消音器の性能履歴共通属性。 - - - - - Pset_DuctSilencerTypeCommon - Duct silencer type common attributes. -InsertionLoss and RegeneratedSound attributes deleted in IFC2x2 Pset Addendum: Use IfcSoundProperties instead. - - - IfcDuctSilencer - - IfcDuctSilencer - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - HydraulicDiameter - Hydraulic diameter. - - - - - - - Hydraulic Diameter - 水力直径 - - - - 水力直径 - - - - Length - The finished length of the silencer. - - - - - - - Length - 長さ - - - - サイレンサの仕上げ長さ - - - - Weight - The weight of the silencer. - - - - - - - Weight - 重さ - - - - サイレンサ重量 - - - - AirFlowrateRange - Possible range of airflow that can be delivered. - - - - - - - Air Flowrate Range - 流量範囲 - - - - 送風可能な風量範囲 - - - - WorkingPressureRange - Allowable minimum and maximum working pressure (relative to ambient pressure). - - - - - - - Working Pressure Range - 作動圧力範囲 - - - - 許容最小・最大作動圧力(周囲圧との相対値) - - - - TemperatureRange - Allowable minimum and maximum temperature. - - - - - - - Temperature Range - 温度範囲 - - - - 許容最低・最高温度 - - - - HasExteriorInsulation - TRUE if the silencer has exterior insulation. FALSE if it does not. - - - - - - - Has Exterior Insulation - 外部保温 - - - - サイレンサに外部保温があるときTRUE - - - - - - ダクト消音器共通属性 - -InsertionLossとRegeneratedSoundはIFC2x2 psetの付録で削除された属性:IfcSoundPropertiesを代わりに使用します。 - - - - - Pset_ElectricalDeviceCommon - A collection of properties that are commonly used by electrical device types. - - - IfcDistributionElement - - IfcDistributionElement - - - RatedCurrent - The current that a device is designed to handle. - - - - - - - Rated Current - - - - - - - RatedVoltage - The voltage that a device is designed to handle. - - - - - - - Rated Voltage - - - - - - - NominalFrequencyRange - The upper and lower limits of frequency for which the operation of the device is certified. - - - - - - - Nominal Frequency Range - - - - - - - PowerFactor - The ratio between the rated electrical power and the product of the rated current and rated voltage - - - - - - - Power Factor - - - - - - - ConductorFunction - Function of a line conductor to which a device is intended to be connected where L1, L2 and L3 represent the phase lines according to IEC 60446 notation (sometimes phase lines may be referenced by color [Red, Blue, Yellow] or by number [1, 2, 3] etc). Protective Earth is sometimes also known as CPC or common protective conductor. Note that for an electrical device, a set of line conductor functions may be applied. - - - - L1 - L2 - L3 - - - - PHASE_L1 - - Phase L1 - - - - - - - PHASE_L2 - - Phase L2 - - - - - - - PHASE_L3 - - Phase L3 - - - - - - - NEUTRAL - - Neutral - - - - - - - PROTECTIVEEARTH - - Protective Earth - - - - - - - PROTECTIVEEARTHNEUTRAL - - Protective Earth Neutral - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Conductor Function - - - - - - - NumberOfPoles - The number of live lines that is intended to be handled by the device. - - - - - - - Number Of Poles - - - - - - - HasProtectiveEarth - Indicates whether the electrical device has a protective earth connection (=TRUE) or not (= FALSE). - - - - - - - Has Protective Earth - - - - - - - InsulationStandardClass - Insulation standard classes provides basic protection information against electric shock. Defines levels of insulation required in terms of constructional requirements (creepage and clearance distances) and electrical requirements (compliance with electric strength tests). Basic insulation is considered to be shorted under single fault conditions. The actual values required depend on the working voltage to which the insulation is subjected, as well as other factors. Also indicates whether the electrical device has a protective earth connection. - - - - - - CLASS0APPLIANCE - - Class 0 Appliance - - - - - - - CLASS0IAPPLIANCE - - Class 0I Appliance - - - - - - - CLASSIAPPLIANCE - - Class I Appliance - - - - - - - CLASSIIAPPLIANCE - - Class II Appliance - - - - - - - CLASSIIIAPPLIANCE - - Class III Appliance - - - - - - - OTHER - - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Insulation Standard Class - - - - - - - IP_Code - IP Code, the International Protection Marking, IEC 60529), classifies and rates the degree of protection provided against intrusion. - - - - - - - IP_ Code - - - - - - - IK_Code - IK Code according to IEC 62262 (2002) is a numeric classification for the degree of protection provided by enclosures for electrical equipment against external mechanical impacts. -<blockquote class="note">NOTE&nbsp; In earlier labeling, the third numeral (1..) had been occasionally added to the closely related IP Code on ingress protection, to indicate the level of impact protection.</blockquote> - - - - - - - - - - - - - - - - Pset_ElectricAppliancePHistory - Captures realtime information for electric appliances, such as for energy usage. HISTORY: Added in IFC4. - - - IfcElectricAppliance - - IfcElectricAppliance - - - PowerState - Indicates the power state of the device where True is on and False is off. - - - - - Power State - - - - - - - - - - - - - Pset_ElectricApplianceTypeCommon - Common properties for electric appliances. HISTORY: Added in IFC4. - - - IfcElectricAppliance - - IfcElectricAppliance - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - 当該プロジェクトで定義する形式の参照ID(例:A-1)、承認された分類に存在しないときに使用される。 - 해당 프로젝트에 정의된 형식의 참조 ID (예 : A-1) 승인된 분류에 존재하지 않을 때 사용된다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - 電化製品の共通プロパティ。 -IFC4にて追加。 - - - - - Pset_ElectricApplianceTypeDishwasher - Common properties for dishwasher appliances. HISTORY: Added in IFC4. - - - IfcElectricAppliance/DISHWASHER - - IfcElectricAppliance/DISHWASHER - - - DishwasherType - Type of dishwasher. - - - - POTWASHER - TRAYWASHER - DISHWASHER - BOTTLEWASHER - CUTLERYWASHER - OTHER - UNKNOWN - UNSET - - - - POTWASHER - - Pot Washer - - - - - - - TRAYWASHER - - Tray Washer - - - - - - - DISHWASHER - - Dish Washer - - - - - - - BOTTLEWASHER - - Bottle Washer - - - - - - - CUTLERYWASHER - - Cutlery Washer - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - UNKNOWN - - Unknown - - - - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Dishwasher Type - 食器洗浄機のタイプ - 식기 세척기의 유형 - - - - 食器洗浄機のタイプ。 - 식기 세척기의 유형 - - - - - - 食器洗浄機の共通のプロパティ。 -IFC4にて追加。 - - - - - Pset_ElectricApplianceTypeElectricCooker - Common properties for electric cooker appliances. HISTORY: Added in IFC4. - - - IfcElectricAppliance/ELECTRICCOOKER - - IfcElectricAppliance/ELECTRICCOOKER - - - ElectricCookerType - Type of electric cooker. - - - - STEAMCOOKER - DEEPFRYER - STOVE - OVEN - TILTINGFRYINGPAN - COOKINGKETTLE - OTHER - UNKNOWN - UNSET - - - - STEAMCOOKER - - Steam Cooker - - - - - - - DEEPFRYER - - Deep Fryer - - - - - - - STOVE - - Stove - - - - - - - OVEN - - Oven - - - - - - - TILTINGFRYINGPAN - - Tilting Frying Pan - - - - - - - COOKINGKETTLE - - Cooking Kettle - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - UNKNOWN - - Unknown - - - - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Electric Cooker Type - 電気調理器のタイプ - 전기 밥솥의 종류 - - - - 電気調理器のタイプ。 - 전자 조리기의 유형. - - - - - - 電気調理器の共通プロパティ。 -IFC4にて追加。 - - - - - Pset_ElectricDistributionBoardOccurrence - Properties that may be applied to electric distribution board occurrences. - - - IfcElectricDistributionBoard - - IfcElectricDistributionBoard - - - IsMain - Identifies if the current instance is a main distribution point or topmost level in an electrical distribution hierarchy (= TRUE) or a sub-main distribution point (= FALSE). - - - - - - - Is Main - - - - - - - IsSkilledOperator - Identifies if the current instance requires a skilled person or instructed person to perform operations on the distribution board (= TRUE) or whether operations may be performed by a person without appropriate skills or instruction (= FALSE). - - - - - - - Is Skilled Operator - - - - - - - - - - - - - Pset_ElectricDistributionBoardTypeCommon - Properties that may be applied to electric distribution boards. - - - IfcElectricDistributionBoard - - IfcElectricDistributionBoard - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - 当該プロジェクトで定義する形式の参照ID(例:A-1)、承認された分類に存在しないときに使用される。 - 해당 프로젝트에 정의된 형식의 참조 ID (예 : A-1) 승인된 분류에 존재하지 않을 때 사용된다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - 配電盤に適用するプロパティ。 - - - - - Pset_ElectricFlowStorageDeviceTypeCommon - The characteristics of the supply associated with an electrical device occurrence acting as a source of supply to an electrical distribution system NOTE: Properties within this property set should ONLY be used in circumstances when an electrical supply is applied. The property set, the properties contained and their values are not applicable to a circumstance where the sypply is not being applied to the eletrical system or is temporarily disconnected. All properties within this property set are considered to represent a steady state situation. - - - IfcElectricFlowStorageDevice - - IfcElectricFlowStorageDevice - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - 当該プロジェクトで定義する形式の参照ID(例:A-1)、承認された分類に存在しないときに使用される。 - 해당 프로젝트에 정의된 형식의 참조 ID (예 : A-1) 승인된 분류에 존재하지 않을 때 사용된다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - NominalSupplyVoltage - The nominal voltage of the supply. - - - - - - - Nominal Supply Voltage - 公称電圧 - 공칭 주파수 - - - - 電源の公称電圧。 - 전원 공칭 주파수 - - - - NominalSupplyVoltageOffset - The maximum and minimum allowed voltage of the supply e.g. boundaries of 380V/440V may be applied for a nominal voltage of 400V. - - - - - - - Nominal Supply Voltage Offset - オフセット公称電圧 - 옵셋 공칭 전압 - - - - 電源の最大値と最小許容電圧。たとえば380V/440Vの境界は400Vの公称電圧に適用される。 - 전원 최대 및 최소 허용 전압 예 : 380V/440V 경계는 400V의 정격 전압에 적용된다. - - - - NominalFrequency - The nominal frequency of the supply. - - - - - - - Nominal Frequency - 公称周波数 - 공칭 주파수 - - - - 電源の公称周波数。 - 전원 공칭 주파수. - - - - ConnectedConductorFunction - Function of the conductors to which the load is connected. - - - - PHASE_L1 - PHASE_L2 - PHASE_L3 - NEUTRAL - PROTECTIVEEARTH - PROTECTIVEEARTHNEUTRAL - OTHER - NOTKNOWN - UNSET - - - - PHASE_L1 - - Phase L1 - - - - - - - PHASE_L2 - - Phase L2 - - - - - - - PHASE_L3 - - Phase L3 - - - - - - - NEUTRAL - - Neutral - - - - - - - PROTECTIVEEARTH - - Protective Earth - - - - - - - PROTECTIVEEARTHNEUTRAL - - Protective Earth Neutral - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Connected Conductor Function - 接続導体機能 - 연결 도체 기능 - - - - 導体の機能は負荷が接続された状態。 - 도체의 기능은 부하가 연결된 상태. - - - - ShortCircuit3PoleMaximumState - Maximum 3 pole short circuit current provided at the point of supply. - - - - - - - Short Circuit3 Pole Maximum State - 3極最大短絡電流 - 3 극 최대 단락 전류 - - - - 電源供給時点の3極最大短絡電流。 - 전원 공급 시점의 3 극 최대 단락 전류. - - - - ShortCircuit3PolePowerFactorMaximumState - Power factor of the maximum 3 pole short circuit current provided at the point of supply. - - - - - - - Short Circuit3 Pole Power Factor Maximum State - 3極最大短絡電流力率 - 3 극 최대 단락 전류 역률 - - - - 電源供給時点の3極最大短絡電流力率。 - 전원 공급 시점의 3 극 최대 단락 전류 역률. - - - - ShortCircuit2PoleMinimumState - Minimum 2 pole short circuit current provided at the point of supply. - - - - - - - Short Circuit2 Pole Minimum State - 2極最小短絡電流 - 2 극 최소 단락 전류 - - - - 電源供給時点の2極最小短絡電流。 - 전원 공급 시점의 양극 최소 단락 전류. - - - - ShortCircuit2PolePowerFactorMinimumState - Power factor of the minimum 2 pole short circuit current provided at the point of supply. - - - - - - - Short Circuit2 Pole Power Factor Minimum State - 2極最小短絡電流力率 - 2 극 최소 단락 전류 역률 - - - - 電源供給時点の2極最小短絡電流力率。 - 전원 공급 시점의 양극 최소 단락 전류 역률. - - - - ShortCircuit1PoleMaximumState - Maximum 1 pole short circuit current provided at the point of supply i.e. the fault between 1 phase and N. - - - - - - - Short Circuit1 Pole Maximum State - 1極最大短絡電流 - 1 극 최대 단락 전류 - - - - 電源供給時点の点1相とN間の1極最大短絡電流。 - 전원 공급 시점 점 1 단계와 N 사이의 1 극 최대 단락 전류 역률. - - - - ShortCircuit1PolePowerFactorMaximumState - Power factor of the maximum 1 pole short circuit current provided at the point of supply i.e. the fault between 1 phase and N. - - - - - - - Short Circuit1 Pole Power Factor Maximum State - 1極最大短絡電流力率 - 1 극 최대 단락 전류 역률 - - - - 電源供給時点の点1相とN間の1極最大短絡電流力率。 - 전원 공급 시점 점 1 단계와 N 사이의 1 극 최대 단락 전류 역률. - - - - ShortCircuit1PoleMinimumState - Minimum 1 pole short circuit current provided at the point of supply i.e. the fault between 1 phase and N. - - - - - - - Short Circuit1 Pole Minimum State - 1極最小短絡電流 - 1 극 최소 단락 전류 - - - - 電源供給時点の点1相とN間の1極最小短絡電流。 - 전원 공급 시점 점 1 단계와 N 사이의 1 극 최소 단락 전류. - - - - ShortCircuit1PolePowerFactorMinimumState - Power factor of the minimum 1 pole short circuit current provided at the point of supply i.e. the fault between 1 phase and N. - - - - - - - Short Circuit1 Pole Power Factor Minimum State - 1極最小短絡電流力率 - 1 극 최소 단락 전류 역률 - - - - 電源供給時点の点1相とN間の1極最小短絡電流力率。 - 전원 공급 시점 점 1 단계와 N 사이의 1 극 최소 단락 전류 역률. - - - - EarthFault1PoleMaximumState - Maximum 1 pole earth fault current provided at the point of supply i.e. the fault between 1 phase and PE/PEN. - - - - - - - Earth Fault1 Pole Maximum State - 1極最大地絡電流 - 1 극 최대 지락 전류 - - - - 電源供給時点の点1相とPE/PEN間の1極最大地絡電流。 - 전원 공급 시점 점 1 상 및 PE / PEN 사이의 1 극 최대 지락 전류. - - - - EarthFault1PolePowerFactorMaximumState - Power factor of the maximum 1 pole earth fault current provided at the point of supply i.e. the fault between 1 phase and PE/PEN. - - - - - - - Earth Fault1 Pole Power Factor Maximum State - 1極最大地絡電流力率 - 1 극 최대 지락 전류 역률 - - - - 電源供給時点の点1相とPE/PEN間の1極最大地絡電流力率。 - 전원 공급 시점 점 1 상 및 PE / PEN 사이의 1 극 최대 지락 전류 역률. - - - - EarthFault1PoleMinimumState - Minimum 1 pole earth fault current provided at the point of supply i.e. the fault between 1 phase and PE/PEN. - - - - - - - Earth Fault1 Pole Minimum State - 1極最小地絡電流 - 1 극 최소 지락 전류 - - - - 電源供給時点の点1相とPE/PEN間の1極最小地絡電流。 - 전원 공급 시점 점 1 상 및 PE / PEN 사이의 1 극 최소 지락 전류 - - - - EarthFault1PolePowerFactorMinimumState - Power factor of the minimum 1 pole earth fault current provided at the point of supply i.e. the fault between 1 phase and PE/PEN. - - - - - - - Earth Fault1 Pole Power Factor Minimum State - 1極最小地絡電流力率 - 1극 최소 지락 전류 역률 - - - - 電源供給時点の点1相とPE/PEN間の1極最小地絡電流力率。 - 전원 공급 시점 점 1 상 및 PE / PEN 사이의 1 극 최소 지락 전류 역률. - - - - - - 配電システムから電気機器への供給源として機能するために関連する電源の特性。電気供給が適用されるときのみ使用する必要がある場合このプロパティを設定する。プロパティセット、プロパティが含まれているそれらの値は電源、または電気システムに適用されていない一時的に切断されている状況には適用されない。このプロパティセットは定常状態の状況を表す。 - - - - - Pset_ElectricGeneratorTypeCommon - Defines a particular type of engine that is a machine for converting mechanical energy into electrical energy. - - - IfcElectricGenerator - - IfcElectricGenerator - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - 当該プロジェクトで定義する形式の参照ID(例:A-1)、承認された分類に存在しないときに使用される。 - 해당 프로젝트에 정의된 형식의 참조 ID (예 : A-1) 승인된 분류에 존재하지 않을 때 사용된다 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - ElectricGeneratorEfficiency - The ratio of output capacity to intake capacity. - - - - - - - Electric Generator Efficiency - 発電効率 - 발전 효율 - - - - 出力容量と入力容量の比率。 - 출력 용량을 입력 용량의 비율 - - - - StartCurrentFactor - IEC. Start current factor defines how large the peek starting current will become on the engine. StartCurrentFactor is multiplied to NominalCurrent and we get the start current. - - - - - - - Start Current Factor - 始動電流係数 - 시동 전류 계수 - - - - 始動電流係数はエンジンが動き始めた時のピーク始動電流を定義。始動電流係数は定格電流と始動時の電流を掛け合わせたもの。 - 시동 전류 계수는 엔진이 움직이기 시작했다 피크 기동 전류를 정의합니다. 시동 전류 계수는 정격 전류 시동시 전류를 곱한 것 - - - - MaximumPowerOutput - The maximum output power rating of the engine. - - - - - - - Maximum Power Output - 最大出力 - 최대 출력 - - - - エンジンの最大出力定格。 - 엔진의 최대 출력 정격 - - - - - - 機械エネルギーを電気エネルギーに変換する特殊なエンジンを定義。 - - - - - Pset_ElectricMotorTypeCommon - Defines a particular type of engine that is a machine for converting electrical energy into mechanical energy. Note that in cases where a close coupled or monobloc pump or close coupled fan is being driven by the motor, the motor may itself be considered to be directly part of the pump or fan. In this case , motor information may need to be specified directly at the pump or fan and not througfh separate motor/motor connection entities. NOTE: StartingTime and TeTime added at IFC4 - - - IfcElectricMotor - - IfcElectricMotor - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - 当該プロジェクトで定義する形式の参照ID(例:A-1)、承認された分類に存在しないときに使用される。 - 해당 프로젝트에 정의된 형식의 참조 ID (예 : A-1) 승인된 분류에 존재하지 않을 때 사용된다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - MaximumPowerOutput - The maximum output power rating of the engine. - - - - - - - Maximum Power Output - 最大出力 - 최대 출력 - - - - エンジンの最大出力定格。 - 엔진의 최대 출력 정격. - - - - ElectricMotorEfficiency - The ratio of output capacity to intake capacity. - - - - - - - Electric Motor Efficiency - 出力効率 - 출력 효율 - - - - 出力容量と入力容量の比率。 - 출력 용량을 입력 용량의 비율. - - - - StartCurrentFactor - IEC. Start current factor defines how large the peak starting current will become on the engine. StartCurrentFactor is multiplied to NominalCurrent and to give the start current. - - - - - - - Start Current Factor - 始動電流係数 - 시동전류 계수 - - - - 始動電流係数はエンジンが動き始めた時のピーク始動電流を定義。始動電流係数は定格電流と始動時の電流を掛け合わせたもの。 - 시동 전류 계수는 엔진이 움직이기 시작했다 피크 기동 전류를 정의합니다. 시동 전류 계수는 정격 전류 시동시 전류를 곱한 것 - - - - StartingTime - The time (in s) needed for the motor to reach its rated speed with its driven equipment attached, starting from standstill and at the nominal voltage applied at its terminals. - - - - - - - Starting Time - 始動時間 - 시작 시간 - - - - モーターが停止状態から定格電圧を印加し定格速度に到達するまでに必要な時間。 - 모터가 정지 상태에서 정격 전압을인가하여 정격 속도에 도달하는 데 필요한 시간 - - - - TeTime - The maximum time (in s) at which the motor could run with locked rotor when the motor is used in an EX-environment. The time indicates that a protective device should trip before this time when the starting current of the motor is slowing through the device. - - - - - - - Te Time - 最大時間 - 최대 시간 - - - - モーターがEX環境でローターロックされて使用きる最大時間。 -モーター始動電流が機器を介して減速している時間より前に保護装置で停止する時間を示す。 - 모터가 EX 환경 로터 잠겨 사용 수있는 최대 시간. 모터 기동 전류가 장비를 통해 감속하고있다 시간 전에 보호 장치 중지 시간을 보여준다 - - - - LockedRotorCurrent - Input current when a motor armature is energized but not rotating. - - - - - - - Locked Rotor Current - 拘束ロータ電流 - 구속 회전자 전류 - - - - モーターの電機子に電圧を印加しロータが回っていない時の入力電流。 - 모터의 전기자 전압을인가 로터가 회전하지 않을 때 입력 전류. - - - - MotorEnclosureType - A list of the available types of motor enclosure from which that required may be selected. - - - - OPENDRIPPROOF - TOTALLYENCLOSEDAIROVER - TOTALLYENCLOSEDFANCOOLED - TOTALLYENCLOSEDNONVENTILATED - OTHER - NOTKNOWN - UNSET - - - - OPENDRIPPROOF - - Open Drip Proof - - - - - - - TOTALLYENCLOSEDAIROVER - - Totally Enclosed Air Over - - - - - - - TOTALLYENCLOSEDFANCOOLED - - Totally Enclosed Fan Cooled - - - - - - - TOTALLYENCLOSEDNONVENTILATED - - Totally Enclosed Nonventilated - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Motor Enclosure Type - モーター保護構造 - 모터 보호구조 - - - - モーターに必要な筐体を使用可能なタイプのリストから選択。 - 모터에 필요한 케이스를 사용 가능한 종류 목록에서 선택합니다. - - - - FrameSize - Designation of the frame size according to the named range of frame sizes designated at the place of use or according to a given standard. - - - - - - - Frame Size - フレームサイズ - 프레임 크기 - - - - フレームサイズの意味が実際の大きさを表示しているのか、規格表記なのかを指定。 - 프레임 크기의 의미가 실제 크기를 표시하고 있는지, 표준 표기인지 지정합니다. - - - - IsGuarded - Indication of whether the motor enclosure is guarded (= TRUE) or not (= FALSE). - - - - - - - Is Guarded - 保護 - 보호 - - - - モーターの筐体が守られているかどうかを示す。 - 모터의 케이스가 지켜지고 있는지 여부를 나타낸다. - - - - HasPartWinding - Indication of whether the motor is single speed, i.e. has a single winding (= FALSE) or multi-speed i.e.has part winding (= TRUE) . - - - - - - - Has Part Winding - 巻線  - 권선 - - - - モータが単一の速度であるかどうかを示す。例えば、単巻線、マルチスピード、分割巻線。 - 모터가 단일 속도인지 여부를 나타내는 예를 들어, 단일 권선, 다중 속도 분할 권선 - - - - - - 電気エネルギーを機械エネルギーに変換するエンジンを定義。一体型ポンプやファンの近くで接続した場合は、モーター自体が直接ポンプやファンの一部とみなされる可能性があるので、モーターで駆動されている時は注意。この場合、モーターの情報はモーター/モーターの接続実態を経由せずにポンプやファンで直接指定する必要がある。 -StartingTimeとTeTimeは IFC4で追加。 - - - - - Pset_ElectricTimeControlTypeCommon - Common properties for electric time control devices. HISTORY: Added in IFC4. - - - IfcElectricTimeControl - - IfcElectricTimeControl - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - 当該プロジェクトで定義する形式の参照ID(例:A-1)、承認された分類に存在しないときに使用される。 - 해당 프로젝트에 정의된 형식의 참조 ID (예 : A-1) 승인된 분류에 존재하지 않을 때 사용된다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - 電気時間制御装置のための共通のプロパティ。 -IFC4にて追加。 - - - - - Pset_ElementAssemblyCommon - Properties common to the definition of all occurrence and type objects of element assembly. - - - - - Reference - - - - - - - - - - Status - - - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - - - - - - - - Pset_ElementComponentCommon - Set of common properties of component elements (especially discrete accessories, but also fasteners, reinforcement elements, or other types of components). - - - IfcElementComponent - - IfcElementComponent - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Reference - 参照記号 - - - - 具体的な参照ID(例えば、“WWS/VS1/400/001”はWWS系統、VS1/400サブシステム001番部品)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - DeliveryType - Determines how the accessory will be delivered to the site. - - - - CAST_IN_PLACE - WELDED_TO_STRUCTURE - LOOSE - ATTACHED_FOR_DELIVERY - PRECAST - NOTDEFINED - - - - CAST_IN_PLACE - - Cast In Place - - - - - - - WELDED_TO_STRUCTURE - - Welded To Structure - - - - - - - LOOSE - - Loose - - - - - - - ATTACHED_FOR_DELIVERY - - Attached For Delivery - - - - - - - PRECAST - - Precast - - - - - - - NOTDEFINED - - Notdefined - - - - - - - - - - Delivery Type - - - - - - - CorrosionTreatment - Determines corrosion treatment for metal components. This property is provided if the requirement needs to be expressed (a) independently of a material specification and (b) as a mere requirements statement rather than a workshop design/ processing feature. - - - - PAINTED - EPOXYCOATED - GALVANISED - STAINLESS - NONE - NOTDEFINED - - - - PAINTED - - Painted - - - - - - - EPOXYCOATED - - Epoxy Coated - - - - - - - GALVANISED - - Galvanised - - - - - - - STAINLESS - - Stainless - - - - - - - NONE - - None - - - - - - - NOTDEFINED - - Notdefined - - - - - - - - - - Corrosion Treatment - - - - - - - - - - - - - Pset_EngineTypeCommon - Engine type common attributes. - - - IfcEngine - - IfcEngine - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - EnergySource - The source of energy. - - - - DIESEL - GASOLINE - NATURALGAS - PROPANE - BIODIESEL - SEWAGEGAS - HYDROGEN - BIFUEL - OTHER - UNKNOWN - UNSET - - - - DIESEL - - Diesel - - - - - - - GASOLINE - - Gasoline - - - - - - - NATURALGAS - - Natural Gas - - - - - - - PROPANE - - Propane - - - - - - - BIODIESEL - - Biodiesel - - - - - - - SEWAGEGAS - - Sewage Gas - - - - - - - HYDROGEN - - Hydrogen - - - - - - - BIFUEL - - Bifuel - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - UNKNOWN - - Unknown - - - - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Energy Source - エネルギ源 - - - - エネルギー源(ディーゼル、ガソリン、天然ガス、プロパン、バイオディーゼル、下水ガス、水素、バイオ燃料、 他) - - - - - - エンジンタイプ共通属性。 - - - - - Pset_EnvironmentalImpactIndicators - Environmental impact indicators are related to a given “functional unit” (ISO 14040 concept). An example of functional unit is a "Double glazing window with PVC frame" and the unit to consider is "one square meter of opening elements filled by this product”. -Indicators values are valid for the whole life cycle or only a specific phase (see LifeCyclePhase property). Values of all the indicators are expressed per year according to the expected service life. The first five properties capture the characteristics of the functional unit. The following properties are related to environmental indicators. -There is a consensus agreement international for the five one. Last ones are not yet fully and formally agreed at the international level. - - - IfcElement - - IfcElement - - - Reference - Reference ID for this specified type in this project - - - - - - - Reference - Reference - 参照記号 - 참조 - - - - Référence à l'identifiant d'un type spécifié dans le contexte de ce projet. - このプロジェクトのための参照記号。 - 이 프로젝트에서 여기에 특정한 형식에 대한 참조 ID - - - - FunctionalUnitReference - Reference to a database or a classification - - - - - - - Functional Unit Reference - ReferenceUniteFonctionnelle - 機能単位参照 - 기능단위참조 - - - - Référence à une base de données ou à une classification [NDT : référence, par exemple, à l'identification d'un produit dans la base INIES] - データベースやクラスへの参照。 - 데이터베이스 또는 분류에 대한 참조 - - - - Unit - The unit of the quantity the environmental indicators values are related with. - - - - - - - Unit - Unite - 単位 - 단위 - - - - Unité de la quantité prise en compte pour la détermination des impacts environnementaux. - 関連する環境指数値の数量単位。 - 환경 지표 값이 연결된 량의 단위 - - - - LifeCyclePhase - The whole life cycle or only a given phase from which environmental data are valid. - - - - Acquisition - Cradletosite - Deconstruction - Disposal - Disposaltransport - Growth - Installation - Maintenance - Manufacture - Occupancy - Operation - Procurement - Production - Productiontransport - Recovery - Refurbishment - Repair - Replacement - Transport - Usage - Waste - Wholelifecycle - UserDefined - NotDefined - - - - ACQUISITION - - Acquisition - - - - - - - CRADLETOSITE - - Cradletosite - - - - - - - DECONSTRUCTION - - Deconstruction - - - - - - - DISPOSAL - - Disposal - - - - - - - DISPOSALTRANSPORT - - Disposal Transport - - - - - - - GROWTH - - Growth - - - - - - - INSTALLATION - - Installation - - - - - - - MAINTENANCE - - Maintenance - - - - - - - MANUFACTURE - - Manufacture - - - - - - - OCCUPANCY - - Occupancy - - - - - - - OPERATION - - Operation - - - - - - - PROCUREMENT - - Procurement - - - - - - - PRODUCTION - - Production - - - - - - - PRODUCTIONTRANSPORT - - Production Transport - - - - - - - RECOVERY - - Recovery - - - - - - - REFURBISHMENT - - Refurbishment - - - - - - - REPAIR - - Repair - - - - - - - REPLACEMENT - - Replacement - - - - - - - TRANSPORT - - Transport - - - - - - - USAGE - - Usage - - - - - - - WASTE - - Waste - - - - - - - WHOLELIFECYCLE - - Wholelifecycle - - - - - - - USERDEFINED - - User Defined - - - - - - - NOTDEFINED - - Not Defined - - - - - - - - - - Life Cycle Phase - PhaseCycleDeVie - ライフサイクルフェーズ - 라이프 사이클 단계 - - - - Le cycle de vie complet ou seulement une de ses phases pour lequel les les données environnementales sont valides - 環境データが有効であるライフサイクル全てまたは特定の段階。 - 환경 데이터가 유효한지 라이프 사이클 또는 단 하나 주어진 단계 - - - - ExpectedServiceLife - Expected service life in years. - - - - - - - Expected Service Life - DureeDeVieTypique - 期待される耐用期間 - 예상수명 - - - - Durée de vie typique exprimée en années. - 数年間の期待される耐用年数。 - 예상 수명 - - - - TotalPrimaryEnergyConsumptionPerUnit - Quantity of energy used as defined in ISO21930:2007. - - - - - - - Total Primary Energy Consumption Per Unit - ConsommationTotaleEnergiePrimaireParUnite - 単位あたり全一次エネルギ消費 - 단위당 모든 차 에너지 소비 - - - - Consommation d'énergie primaire utilisée, telle que définie dans la norme ISO21930:2007 [NDT : et dans la norme NF P01-010] - ISO21930:2007で定義されたエネルギー消費量。 - ISO21930 : 2007에서 정의된 에너지 사용량 - - - - WaterConsumptionPerUnit - Quantity of water used. - - - - - - - Water Consumption Per Unit - ConsommationEauParUnite - 単位あたり水使用 - 단위 당 물 사용 - - - - Quantité d'eau utilisée telle que définie dans la norme ISO21930:2007 [NDT : et dans la norme NF P01-010]. Exprimée en litres. - リットル単位で表現された水の消費量。 - 사용 수량의 리터 수 - - - - HazardousWastePerUnit - Quantity of hazardous waste generated - - - - - - - Hazardous Waste Per Unit - DechetsDangereuxParUnite - 単位あたり有害廃棄物 - 단위당 유해 폐기물 - - - - Quantité de déchets dangereux générés tels que définis dans la norme ISO21930:2007 [NDT : et dans la norme NF P01-010]. - 生成された有害な廃棄量。 - 유해 폐기물의 발생량 - - - - NonHazardousWastePerUnit - Quantity of non hazardous waste generated - - - - - - - Non Hazardous Waste Per Unit - DechetsNonDangereuxParUnite - 単位あたり非有害廃棄物 - 단위당 비 유해 폐기물 - - - - Quantité de déchets non dangereux générés tels que définis dans la norme ISO21930:2007 [NDT : et dans la norme NF P01-010]. - 生成された無害な排気量。 - 비 유해 폐기물의 발생량 - - - - ClimateChangePerUnit - Quantity of greenhouse gases emitted calculated in equivalent CO2 - - - - - - - Climate Change Per Unit - ChangementClimatiqueParUnite - 単位あたり気候変動 - 단위당 기후 변화 - - - - Quantité d'émissions de gaz à effet de serre exprimée en Kg d'équivalent CO2 tels que définis dans la norme ISO21930:2007 [NDT : ainsi que dans les normes PrEN15804:2008 et NF P01-010]. - CO2で計算された温室効果ガスの放出量。 - CO2 등가 환산되는 온실 가스 발생량 - - - - AtmosphericAcidificationPerUnit - Quantity of gases responsible for the atmospheric acidification calculated in equivalent SO2 - - - - - - - Atmospheric Acidification Per Unit - AcidificationAtmospheriqueParUnite - 単位あたり大気酸性化 - 단위당 대기 산성화 - - - - Quantité de gaz responsables de l'acidification atmosphérique exprimée en Kg d'équivalent SO2 [NDT : selon les normes PrEN15804:2008 et NF P01-010]. - SO2で計算される大気の酸性化に影響するガスの量。 - SO2에 해당 환산된 대기 산성 화의 원인이되는 가스량 - - - - RenewableEnergyConsumptionPerUnit - Quantity of renewable energy used as defined in ISO21930:2007 - - - - - - - Renewable Energy Consumption Per Unit - ConsommationEnergieRenouvelableParUnite - 単位あたり再生可能エネルギ消費 - 단위당 재생 에너지 소비 - - - - Consommation d'énergie renouvelable telle que définie dans la norme ISO21930:2007 [NDT : et dans la norme NF P01-010] - ISO21930:2007で定義される再生可能エネルギーの使用量。 - ISO21930 : 2007에 정의된 재생 가능 에너지 사용량 - - - - NonRenewableEnergyConsumptionPerUnit - Quantity of non-renewable energy used as defined in ISO21930:2007 - - - - - - - Non Renewable Energy Consumption Per Unit - ConsommationEnergieNonRenouvelableParUnite - 単位あたり再生不可エネルギ消費 - 단위당 재생 불가 에너지 소비 - - - - Consommation d'énergie non renouvelable telle que définie dans la norme ISO21930:2007 [NDT : et dans la norme NF P01-010] - ISO21930:2007で定義される非再生エネルギーの使用量。 - ISO21930 : 2007에 정의된 재생 불가 에너지 사용량 - - - - ResourceDepletionPerUnit - Quantity of resources used calculated in equivalent antimony - - - - - - - Resource Depletion Per Unit - EpuisementRessourcesParUnite - 単位あたり資源消費 - 단위당 자원소비 - - - - Quantité de ressources consommées exprimée en équivalent Antimoine telles que définies dans la norme ISO21930:2007 [NDT : et dans la norme NF P01-010] - アンチモンで計算される資源の使用量。 - 안티몬에 해당 환산된 사용 자원 량 - - - - InertWastePerUnit - Quantity of inert waste generated - - - - - - - Inert Waste Per Unit - DechetsInertesParUnite - 単位あたり不活性廃棄物 - 단위당 불황성 폐기물 - - - - Quantité de déchets inertes générés [NDT : selon la norme NF P01-010] - 生成された安定廃棄物の量。 - 불활성 폐기물 발생량 - - - - RadioactiveWastePerUnit - Quantity of radioactive waste generated - - - - - - - Radioactive Waste Per Unit - DechetsRadioactifsParUnite - 単位あたり放射性廃棄物 - 단위당 방사성 폐기물 - - - - Quantité de déchets radioactifs générés [NDT : selon la norme NF P01-010] - 生成された放射性廃棄物の量。 - 방사성 폐기물 발생량 - - - - StratosphericOzoneLayerDestructionPerUnit - Quantity of gases destroying the stratospheric ozone layer calculated in equivalent CFC-R11 - - - - - - - Stratospheric Ozone Layer Destruction Per Unit - DestructionCoucheOzoneStartospheriqueParUnite - 単位あたり成層圏オゾン層破壊 - 단위당 성층권 오존층 파괴 - - - - Quantité de gaz destructeurs de la couche d'ozone exprimée en équivalent CFC-R11 tels que définis dans la norme ISO21930:2007 [NDT : et dans la norme NF P01-010] - CFC-R11で計算される成層圏のオゾン層を破壊するガスの量。 - CFC-R11에 해당 환산된 성층권 오존층 파괴 가스량 - - - - PhotochemicalOzoneFormationPerUnit - Quantity of gases creating the photochemical ozone calculated in equivalent ethylene - - - - - - - Photochemical Ozone Formation Per Unit - FormationOzonePhotochimiqueParUnite - 単位あたり光化学オゾン生成 - 단위당 광화학 오존 생성 - - - - Quantité de gaz producteurs d'ozone photochimique exprimée en équivalent ethylène tels que définis dans la norme ISO21930:2007 [NDT : et dans la norme NF P01-010] - エチレンで計算される光化学物質オゾンを生成するガスの量。 - 에틸렌에 해당 환산된 광화학 오존 생성 끊 가스량 - - - - EutrophicationPerUnit - Quantity of eutrophicating compounds calculated in equivalent PO4 - - - - - - - Eutrophication Per Unit - EutrophisationParUnite - 単位あたり富栄養化 - 단위당 부영양화 - - - - Quantité de composés responsables de l'eutrophisation exprimée en équivalent P04 tels que définis dans la norme ISO21930:2007 [NDT : et dans la norme PrEN15804:2008] - PO4で計算される富栄養化する化合物の量。 - PO4 (인산)에 상응하는 환산되는 부영 양화 성분 물량 - - - - - - Définition de l'IAI : Les indicateurs d'impacts environnementaux sont valables pour une unité fonctionnelle, concept défini dans l'ISO 14040. Exemple : fenêtre à double vitrage et à menuiserie en PVC ; l'unité à considérer est "un mètre carré d'ouverture remplie par ce produit". - 環境影響指標は、「機能単位functional unit (ISO 14040 コンセプト)」に関連があります。機能単位の例は「PVCフレームによる二重ガラス窓」です。そして、考慮する単位は「この製品で満たされた開口要素の1平方メートル」です。 - 指標の値は、ライフサイクル全て、または特定の段階(ライフサイクルフェーズLifeCyclePhaseプロパティ参照)だけにあてはまります。全ての指標の値は、期待される耐用年数によって年ごとに表現されます。初めの5つのプロパティは functional unitの特性を捉えています。 -以下の特性は、環境指標に関連があります。 -5つについての国際的な意見の合意があります。最後のものは、国際レベルで、まだ完全には正式に同意されていない。 - - - - - Pset_EnvironmentalImpactValues - The following properties capture environmental impact values of an element. They correspond to the indicators defined into Pset_EnvironmentalImpactIndicators. -Environmental impact values are obtained multiplying indicator value per unit by the relevant quantity of the element. - - - IfcElement - - IfcElement - - - TotalPrimaryEnergyConsumption - Quantity of energy used as defined in ISO21930:2007. - - - - - - - Total Primary Energy Consumption - ConsommationTotaleEnergiePrimaire - 主なエネルギー消費の総量 - 모든 차 에너지 소비 - - - - Consommation d'énergie primaire utilisée, telle que définie dans les normes ISO21930:2007 [NDT : ou NF P01-010] - ISO21930:2007.で定義されているエネルギー量。 - ISO21930 : 2007에서 정의된 에너지 사용량 - - - - WaterConsumption - Quantity of water used. - - - - - - - Water Consumption - ConsommationEau - 水消費量 - 물 사용 - - - - Quantité d'eau utilisée [NDT : telle que définie dans la norme NF P01-010] - 水の消費量。 - 사용 수량의 리터 수 - - - - HazardousWaste - Quantity of hazardous waste generated. - - - - - - - Hazardous Waste - DechetsDangereux - 有害廃棄物 - 유해 폐기물 - - - - Quantité de déchets dangereux générés [NDT : tels que définis dans la norme NF P01-010] - 生成される有害廃棄物の量。 - 유해 폐기물의 발생량 - - - - NonHazardousWaste - Quantity of non hazardous waste generated. - - - - - - - Non Hazardous Waste - DechetsNonDangereux - 一般廃棄物 - 비 유해 폐기물 - - - - Quantité de déchets non dangereux générés [NDT : tels que définis dans la norme NF P01-010] - 生成される一般廃棄物の量。 - 비 유해 폐기물의 발생량 - - - - ClimateChange - Quantity of greenhouse gases emitted calculated in equivalent CO2. - - - - - - - Climate Change - ChangementClimatique - 気候変化 - 기후변화 - - - - Quantité d'émissions de gaz à effet de serre exprimée en Kg d'équivalent CO2, selon les normes PrEN15804:2008 [NDT : ou NF P01-010] - 算出されたCO2と等しい放出される温室効果ガスの量。 - CO2 등가 환산되는 온실 가스 발생량 - - - - AtmosphericAcidification - Quantity of gases responsible for the atmospheric acidification calculated in equivalent SO2. - - - - - - - Atmospheric Acidification - AcidificationAtmospherique - 大気の酸性化 - 대기산성화 - - - - Quantité de gaz responsables de l'acidification atmosphérique exprimée en Kg d'équivalent SO2, selon les normes PrEN15804:2008 [NDT : ou NF P01-010] - 算出されたSO2と等しい大気中の酸性化の責任を負うガスの量。 - SO2에 해당 환산된 대기 산성 화의 원인이되는 가스량 - - - - RenewableEnergyConsumption - Quantity of renewable energy used as defined in ISO21930:2007 - - - - - - - Renewable Energy Consumption - ConsommationEnergieRenouvelable - 継続可能なエネルギー消費量 - 재생 가능 에너지 소비 - - - - Consommation d'énergie renouvelable telle que définie dans les normes ISO21930:2007 [NDT : ou NF P01-010] - ISO21930:2007 で定義されている継続可能なエネルギー消費量。 - ISO21930 : 2007에 정의된 재생 가능 에너지 사용량 - - - - NonRenewableEnergyConsumption - Quantity of non-renewable energy used as defined in ISO21930:2007 - - - - - - - Non Renewable Energy Consumption - ConsommationEnergieNonRenouvelable - 継続不可能なエネルギー消費量 - 재생 불가 에너지 소비 - - - - Consommation d'énergie non renouvelable telle que définie dans les normes ISO21930:2007 [NDT : ou NF P01-010] - ISO21930:2007 で定義されている継続不可能なエネルギー消費量。 - ISO21930 : 2007에 정의된 재생 불가 에너지 사용량 - - - - ResourceDepletion - Quantity of resources used calculated in equivalent antimony. - - - - - - - Resource Depletion - EpuisementRessources - 資源の枯渇 - 자원 소비 - - - - Quantité de ressources consommées exprimée en équivalent Antimoine [NDT : selon la norme NF P01-010] - 算出されたアンチモンと同等な資源の量。 - 안티몬에 해당 환산된 사용 자원 량 - - - - InertWaste - Quantity of inert waste generated . - - - - - - - Inert Waste - DechetsInertes - 安定廃棄物 - 불활성 폐기불 - - - - Quantité de déchets inertes générés [NDT : selon la norme NF P01-010] - 生成される安定廃棄物の量。 - 불활성 폐기물 발생량 - - - - RadioactiveWaste - Quantity of radioactive waste generated. - - - - - - - Radioactive Waste - DechetsRadioactifs - 放射性廃棄物 - 방사성 폐기물 - - - - Quantité de déchets radioactifs générés [NDT : selon la norme NF P01-010] - 生成される放射性廃棄物の量。 - 방사성 폐기물 발생량 - - - - StratosphericOzoneLayerDestruction - Quantity of gases destroying the stratospheric ozone layer calculated in equivalent CFC-R11. - - - - - - - Stratospheric Ozone Layer Destruction - DestructionCoucheOzoneStartospherique - 大気オゾン層破壊 - 성층권 오존층 파괴 - - - - Quantité de gaz destructeurs de la couche d'ozone exprimée en équivalent CFC-R11 [NDT : selon la norme NF P01-010] - 算出された CFC-R11と等しい大気オゾン層を破壊するガスの量。 - CFC-R11에 해당 환산된 성층권 오존층 파괴 가스량 - - - - PhotochemicalOzoneFormation - Quantity of gases creating the photochemical ozone calculated in equivalent ethylene. - - - - - - - Photochemical Ozone Formation - FormationOzonePhotochimique - 光化学オゾン生成 - 광화학 오존 생성 - - - - Quantité de gaz producteurs d'ozone photochimique exprimée en équivalent ethylène [NDT : selon la norme NF P01-010] - 算出された エチレンと等しい光化学オゾン層を生成するガスの量。 - 에틸렌에 해당 환산된 광화학 오존 생성 끊 가스량 - - - - Eutrophication - Quantity of eutrophicating compounds calculated in equivalent PO4. - - - - - - - Eutrophication - Eutrophisation - 富栄養化 - 부영 양화 - - - - Quantité de composés responsables de l'eutrophisation exprimée en équivalent P04 [NDT : selon la norme PrEN15804:2008] - 算出されたPO4と等しい富栄養化を混合する量。 - PO4 (인산)에 상응하는 환산되는 부영 양화 성분 물량 - - - - LeadInTime - Lead in time before start of process. - - - - - - - Lead In Time - - - Lead in time before start of process. - - - - Duration - Duration of process. - - - - - - - Duration - - - Duration of process. - - - - LeadOutTime - Lead out time after end of process. - - - - - - - Lead Out Time - - - Lead out time after end of process. - - - - - - Définition de l'IAI : les propriétés suivantes capturent les valeurs des impacts environnementaux d'un élément. Ils correspondent aux indicateurs définis dans Pset_EnvironmentalImpactIndicators. - IAIによる定義:次のプロパティは、要素の環境への影響値を捕える。それらは Pset_EnvironmentalImpactIndicators に定義されている指標に対応。 -環境に影響する値は、要素の適切な数量によって、単位あたりに割り増した値を取得。 - - - - - Pset_EvaporativeCoolerPHistory - Evaporative cooler performance history attributes. - - - IfcEvaporativeCooler - - IfcEvaporativeCooler - - - WaterSumpTemperature - Water sump temperature. - - - - - Water Sump Temperature - 液温度 - - - - 液温度 (水溜り温度) - - - - Effectiveness - Ratio of the change in dry bulb temperature of the (primary) air stream to the difference between the entering dry bulb temperature of the (primary) air and the wet-bulb temperature of the (secondary) air. - - - - - Effectiveness - 効率 - - - - (一次)空気の入力乾球温度と(二次)空気の湿球温度の差に対する(一次)空気の流れの乾球温度の変化の割合。 - - - - SensibleHeatTransferRate - Sensible heat transfer rate to primary air flow. - - - - - Sensible Heat Transfer Rate - 顕熱交換量 - - - - 一次空気流の顕熱交換量 - - - - LatentHeatTransferRate - Latent heat transfer rate to primary air flow. - - - - - Latent Heat Transfer Rate - 潜熱交換量 - - - - 一次空気流の潜熱交換量 - - - - TotalHeatTransferRate - Total heat transfer rate to primary air flow. - - - - - Total Heat Transfer Rate - 全熱交換量 - - - - 一次空気流の全熱交換量 - - - - - - 蒸発冷却器の性能履歴属性 - - - - - Pset_EvaporativeCoolerTypeCommon - Evaporative cooler type common attributes. -Sound attribute deleted in IFC2x2 Pset Addendum: Use IfcSoundProperties instead. WaterRequirement attribute unit type modified in IFC2x2 Pset Addendum. - - - IfcEvaporativeCooler - - IfcEvaporativeCooler - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - FlowArrangement - CounterFlow: Air and water flow enter in different directions. - -CrossFlow: Air and water flow are perpendicular. -ParallelFlow: Air and water flow enter in same directions. - - - - COUNTERFLOW - CROSSFLOW - PARALLELFLOW - OTHER - NOTKNOWN - UNSET - - - - COUNTERFLOW - - Counter Flow - - - - - - - CROSSFLOW - - Cross Flow - - - - - - - PARALLELFLOW - - Parallel Flow - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Flow Arrangement - 流れ種類 - - - - カウンタフロー:空気と水の流れが逆方向で入る -クロスフロー:空気と「水の流れが垂直 -平行流:空気と水の流れが同じ方向で入る - - - - HeatExchangeArea - Heat exchange area. - - - - - - - Heat Exchange Area - 熱交換面積 - - - - 熱交換面積 - - - - OperationTemperatureRange - Allowable operation ambient air temperature range. - - - - - - - Operation Temperature Range - 動作温度範囲 - - - - 許容作動周囲空気温度範囲 - - - - WaterRequirement - Make-up water requirement. - - - - - - - Water Requirement - 水要件 - - - - 水の要件 - - - - EffectivenessTable - Total heat transfer effectiveness curve as a function of the primary air flow rate. - - - - - - - - - - - - - Effectiveness Table - - - - - - - AirPressureDropCurve - Air pressure drop as function of air flow rate. - - - - - - - - - - - - - Air Pressure Drop Curve - - - - - - - WaterPressDropCurve - Water pressure drop as function of water flow rate. - - - - - - - - - - - - - Water Press Drop Curve - - - - - - - - - 蒸発冷却器共通属性を設定 -Sound属性がIFC2x2 psetの付録で削除された:IfcSoundPropertiesを代わりに使用します。 WaterRequirement属性ユニットタイプはIFC2x2 psetの付録で変更された。 - - - - - Pset_EvaporatorPHistory - Evaporator performance history attributes. - - - IfcEvaporator - - IfcEvaporator - - - HeatRejectionRate - Sum of the refrigeration effect and the heat equivalent of the power input to the compressor. - - - - - Heat Rejection Rate - 排熱量 - - - - 冷凍効果と圧縮機への電源入力の相当熱量の合計 - - - - ExteriorHeatTransferCoefficient - Exterior heat transfer coefficient associated with exterior surface area. - - - - - Exterior Heat Transfer Coefficient - 外表面熱交換係数 - - - - 外表面に関連づけられた外表面熱交換係数 - - - - InteriorHeatTransferCoefficient - Interior heat transfer coefficient associated with interior surface area. - - - - - Interior Heat Transfer Coefficient - 内面熱交換係数 - - - - 内面に関連づけられた内面熱交換係数 - - - - RefrigerantFoulingResistance - Fouling resistance on the refrigerant side. - - - - - Refrigerant Fouling Resistance - - - - - - - EvaporatingTemperature - Refrigerant evaporating temperature. - - - - - Evaporating Temperature - 蒸発温度 - - - - 蒸発温度 - - - - LogarithmicMeanTemperatureDifference - Logarithmic mean temperature difference between refrigerant and water or air. - - - - - Logarithmic Mean Temperature Difference - 対数平均温度差 - - - - 冷媒と水または空気の対数平均温度差 - - - - UAcurves - UV = f (VExterior, VInterior), UV as a function of interior and exterior fluid flow velocity at the entrance. - - - - - UAcurves - UA曲線 - - - - UV=f(V外面、V内面)、UVは、入り口での内面・外面流体速度の関数 - - - - CompressorEvaporatorHeatGain - Heat gain between the evaporator outlet and the compressor inlet. - - - - - Compressor Evaporator Heat Gain - 圧縮機・蒸発器熱取得 - - - - 蒸発器出口と圧縮機入口間の熱取得 - - - - CompressorEvaporatorPressureDrop - Pressure drop between the evaporator outlet and the compressor inlet. - - - - - Compressor Evaporator Pressure Drop - 圧縮機・蒸発器圧力降下 - - - - 蒸発器出口と圧縮機入口間の圧力降下 - - - - EvaporatorMeanVoidFraction - Mean void fraction in evaporator. - - - - - Evaporator Mean Void Fraction - 蒸発器平均空隙率 - - - - 蒸発器の平均の空隙率 - - - - WaterFoulingResistance - Fouling resistance on water/air side. - - - - - Water Fouling Resistance - 水側汚れ抵抗 - - - - 水/空気面の汚れ抵抗 - - - - - - 蒸発器性能履歴属性 - - - - - Pset_EvaporatorTypeCommon - Evaporator type common attributes. - - - IfcEvaporator - - IfcEvaporator - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - EvaporatorMediumType - ColdLiquid: Evaporator is using liquid type of fluid to exchange heat with refrigerant. -ColdAir: Evaporator is using air to exchange heat with refrigerant. - - - - COLDLIQUID - COLDAIR - OTHER - NOTKNOWN - UNSET - - - - COLDLIQUID - - Cold Liquid - - - - - - - COLDAIR - - Cold Air - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Evaporator Medium Type - 蒸発媒体 - - - - ColdLiquidは:蒸発器は、冷媒と熱交換するために液状の流体を使用しています。 -ColdAir:蒸発器は、冷媒と熱交換するために空気を使用している。 - - - - EvaporatorCoolant - The fluid used for the coolant in the evaporator. - - - - WATER - BRINE - GLYCOL - OTHER - NOTKNOWN - UNSET - - - - WATER - - Water - - - - - - - BRINE - - Brine - - - - - - - GLYCOL - - Glycol - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Evaporator Coolant - 蒸発器冷却剤 - - - - 蒸発器で使用する流体(水、ブライン、グリコール、 他) - - - - RefrigerantClass - Refrigerant class used by the compressor. -CFC: Chlorofluorocarbons. -HCFC: Hydrochlorofluorocarbons. -HFC: Hydrofluorocarbons. - - - - CFC - HCFC - HFC - HYDROCARBONS - AMMONIA - CO2 - H2O - OTHER - NOTKNOWN - UNSET - - - - CFC - - CFC - - - Chlorofluorocarbons - - - - HCFC - - HCFC - - - Hydrochlorofluorocarbons - - - - HFC - - HFC - - - Hydrofluorocarbons - - - - HYDROCARBONS - - Hydrocarbons - - - - - - - AMMONIA - - Ammonia - - - - - - - CO2 - - CO2 - - - - - - - H2O - - H2O - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Refrigerant Class - 冷媒分類 - - - - 圧縮機で使用される冷媒種類 -CFC: Chlorofluorocarbons. -HCFC: Hydrochlorofluorocarbons. -HFC: Hydrofluorocarbons. -(CFC, HCFC, HFC, HYDROCARBONS, AMMONIA, CO2, H2O, その他) - - - - ExternalSurfaceArea - External surface area (both primary and secondary area). - - - - - - - External Surface Area - 外表面積 - - - - 外表面積(一次・二次の両面積) - - - - InternalSurfaceArea - Internal surface area. - - - - - - - Internal Surface Area - 内表面積 - - - - 内部表面積 - - - - InternalRefrigerantVolume - Internal volume of evaporator (refrigerant side). - - - - - - - Internal Refrigerant Volume - 内部冷媒容積 - - - - 蒸発器(冷媒側)の内部容積 - - - - InternalWaterVolume - Internal volume of evaporator (water side). - - - - - - - Internal Water Volume - 内部水容積 - - - - 蒸発器(水側)の内部容積 - - - - NominalHeatTransferArea - Nominal heat transfer surface area associated with nominal overall heat transfer coefficient. - - - - - - - Nominal Heat Transfer Area - 設計熱交換面積 - - - - 設計全熱交換係数の設計熱交換面積 - - - - NominalHeatTransferCoefficient - Nominal overall heat transfer coefficient associated with nominal heat transfer area. - - - - - - - Nominal Heat Transfer Coefficient - 設計熱交換係数 - - - - 設計熱交換面積の全熱交換係数 - - - - - - 蒸発器タイプ共通属性 - - - - - Pset_FanCentrifugal - Centrifugal fan occurrence attributes attached to an instance of IfcFan. - - - IfcFan/CENTRIFUGAL - - IfcFan/CENTRIFUGAL - - - DischargePosition - Centrifugal fan discharge position. - -TOPHORIZONTAL: Top horizontal discharge. -TOPANGULARDOWN: Top angular down discharge. -DOWNBLAST: Downblast discharge. -BOTTOMANGULARDOWN: Bottom angular down discharge. -BOTTOMHORIZONTAL: Bottom horizontal discharge. -BOTTOMANGULARUP: Bottom angular up discharge. -UPBLAST: Upblast discharge. -TOPANGULARUP: Top angular up discharge. -OTHER: Other type of fan arrangement. - - - - TOPHORIZONTAL - TOPANGULARDOWN - TOPANGULARUP - DOWNBLAST - BOTTOMANGULARDOWN - BOTTOMHORIZONTAL - BOTTOMANGULARUP - UPBLAST - OTHER - NOTKNOWN - UNSET - - - - TOPHORIZONTAL - - Top Horizontal - - - Top horizontal discharge - - - - TOPANGULARDOWN - - Top Angular Down - - - Top angular down discharge - - - - TOPANGULARUP - - Top Angular Up - - - Top angular up discharge - - - - DOWNBLAST - - Down Blast - - - Downblast discharge - - - - BOTTOMANGULARDOWN - - Bottom Angular Down - - - Bottom angular down discharge - - - - BOTTOMHORIZONTAL - - Bottom Horizontal - - - Bottom horizontal discharge - - - - BOTTOMANGULARUP - - Bottom Angular Up - - - Bottom angular up discharge - - - - UPBLAST - - Upblast - - - Upblast discharge - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Discharge Position - 吐出位置 - - - - 遠心送風機の吐出位置 -TOPHORIZONTAL: 上部水平 -TOPANGULARDOWN: 上部角度付き下向き -DOWNBLAST: 下向き -BOTTOMANGULARDOWN: 下部角度付き下向き -BOTTOMHORIZONTAL: 下部水平 -BOTTOMANGULARUP: 下部角度付き上向き -UPBLAST: 上向き -TOPANGULARUP: 上部角度付き上向き. -OTHER: その他 - - - - DirectionOfRotation - The direction of the centrifugal fan wheel rotation when viewed from the drive side of the fan. - -CLOCKWISE: Clockwise. -COUNTERCLOCKWISE: Counter-clockwise. -OTHER: Other type of fan rotation. - - - - CLOCKWISE - COUNTERCLOCKWISE - OTHER - NOTKNOWN - UNSET - - - - CLOCKWISE - - Clockwise - - - Clockwise - - - - COUNTERCLOCKWISE - - Counter-clockwise - - - Counter-clockwise - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Direction Of Rotation - 角度方向 - - - - ファンの駆動側から見たホイール回転方向 -CLOCKWISE  時計回り - COUNTERCLOCKWISE 反時計回り - OTHER その他 - - - - Arrangement - Defines the fan and motor drive arrangement as defined by AMCA. - -ARRANGEMENT1: Arrangement 1. -ARRANGEMENT2: Arrangement 2. -ARRANGEMENT3: Arrangement 3. -ARRANGEMENT4: Arrangement 4. -ARRANGEMENT7: Arrangement 7. -ARRANGEMENT8: Arrangement 8. -ARRANGEMENT9: Arrangement 9. -ARRANGEMENT10: Arrangement 10. -OTHER: Other type of fan drive arrangement. - - - - ARRANGEMENT1 - ARRANGEMENT2 - ARRANGEMENT3 - ARRANGEMENT4 - ARRANGEMENT7 - ARRANGEMENT8 - ARRANGEMENT9 - ARRANGEMENT10 - OTHER - NOTKNOWN - UNSET - - - - ARRANGEMENT1 - - Arrangement1 - - - Arrangement 1 - - - - ARRANGEMENT2 - - Arrangement2 - - - Arrangement 2 - - - - ARRANGEMENT3 - - Arrangement3 - - - Arrangement 3 - - - - ARRANGEMENT4 - - Arrangement4 - - - Arrangement 4 - - - - ARRANGEMENT7 - - Arrangement7 - - - Arrangement 7 - - - - ARRANGEMENT8 - - Arrangement8 - - - Arrangement 8 - - - - ARRANGEMENT9 - - Arrangement9 - - - Arrangement 9 - - - - ARRANGEMENT10 - - Arrangement10 - - - Arrangement 10 - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Arrangement - 配置 - - - - ファンとモーターの配置(AMCAによる定義) -ARRANGEMENT1, ARRANGEMENT2, ARRANGEMENT3, ARRANGEMENT4, ARRANGEMENT7, ARRANGEMENT8, ARRANGEMENT9, ARRANGEMENT10, OTHER, NOTKNOWN, UNSET - - - - - - IfcFanの値に付け加えられた遠心送風機の属性 - - - - - Pset_FanOccurrence - Fan occurrence attributes attached to an instance of IfcFan. - - - IfcFan - - IfcFan - - - DischargeType - Defines the type of connection at the fan discharge. - -Duct: Discharge into ductwork. -Screen: Discharge into screen outlet. -Louver: Discharge into a louver. -Damper: Discharge into a damper. - - - - DUCT - SCREEN - LOUVER - DAMPER - OTHER - NOTKNOWN - UNSET - - - - DUCT - - Duct - - - - - - - SCREEN - - Screen - - - - - - - LOUVER - - Louver - - - - - - - DAMPER - - Damper - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Discharge Type - 吐出形式 - - - - 送風機出口の接続形式定義 -Duct:ダクトへの吐き出し -Screen:SCREEN内への吐き出し -Louver:ルーバーへの吐き出し - - - - ApplicationOfFan - The functional application of the fan. - -SupplyAir: Supply air fan. -ReturnAir: Return air fan. -ExhaustAir: Exhaust air fan. -Other: Other type of application not defined above. - - - - SUPPLYAIR - RETURNAIR - EXHAUSTAIR - COOLINGTOWER - OTHER - NOTKNOWN - UNSET - - - - SUPPLYAIR - - Supply Air - - - - - - - RETURNAIR - - Return Air - - - - - - - EXHAUSTAIR - - Exhaust Air - - - - - - - COOLINGTOWER - - Cooling Tower - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Application Of Fan - Fan用途 - - - - Fanの系統 -SUPPLYAIR, RETURNAIR, EXHAUSTAIR, COOLINGTOWER, OTHER - - - - CoilPosition - Defines the relationship between a fan and a coil. - -DrawThrough: Fan located downstream of the coil. -BlowThrough: Fan located upstream of the coil. - - - - DRAWTHROUGH - BLOWTHROUGH - OTHER - NOTKNOWN - UNSET - - - - DRAWTHROUGH - - Draw Through - - - - - - - BLOWTHROUGH - - Blow Through - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Coil Position - コイル位置 - - - - Fanとコイル間の関係定義 -DwawThrough:ファンはコイルの下流に位置 -BlowThrough:ファンはコイルの上流に位置 - - - - MotorPosition - Defines the location of the motor relative to the air stream. - -InAirStream: Fan motor is in the air stream. -OutOfAirStream: Fan motor is out of the air stream. - - - - INAIRSTREAM - OUTOFAIRSTREAM - OTHER - NOTKNOWN - UNSET - - - - INAIRSTREAM - - In Air Stream - - - - - - - OUTOFAIRSTREAM - - Out of Air Stream - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Motor Position - モーター位置 - - - - 空気流路と相対的なモーターの位置定義 -流路内、流路外 その他 - - - - FanMountingType - Defines the method of mounting the fan in the building. - - - - MANUFACTUREDCURB - FIELDERECTEDCURB - CONCRETEPAD - SUSPENDED - WALLMOUNTED - DUCTMOUNTED - OTHER - NOTKNOWN - UNSET - - - - MANUFACTUREDCURB - - Manufactured Curb - - - - - - - FIELDERECTEDCURB - - Field Erected Curb - - - - - - - CONCRETEPAD - - Concrete Pad - - - - - - - SUSPENDED - - Suspended - - - - - - - WALLMOUNTED - - Wall Mounted - - - - - - - DUCTMOUNTED - - Duct Mounted - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Fan Mounting Type - Fan設置タイプ - - - - 建物へのFan設置方法定義 -MANUFACTUREDCURB, FIELDERECTEDCURB, CONCRETEPAD, SUSPENDED, WALLMOUNTED, DUCTMOUNTED - - - - FractionOfMotorHeatToAirStream - Fraction of the motor heat released into the fluid flow. - - - - - - - Fraction Of Motor Heat To Air Stream - モーター排熱 - - - - 流体中にモーター発熱が放出される場合にTRUE - - - - ImpellerDiameter - Diameter of fan wheel - used to scale performance of geometrically similar fans. - - - - - - - Impeller Diameter - 羽根径 - - - - ファンホイールの直径 - 幾何学的に類似したファンの性能を基準化するために使用。 - - - - - - IfcFanの値に付け加えられたFan属性 - - - - - Pset_FanPHistory - Fan performance history attributes. -Sound attribute deleted in IFC2x2 Pset Addendum: Use IfcSoundProperties instead. - - - IfcFan - - IfcFan - - - FanRotationSpeed - Fan rotation speed. - - - - - Fan Rotation Speed - 回転速度 - - - - 回転速度 - - - - WheelTipSpeed - Fan blade tip speed, typically defined as the linear speed of the tip of the fan blade furthest from the shaft. - - - - - Wheel Tip Speed - ホイール先端速度 - - - - ファンブレード先端速度 -通常、軸から最も遠いファンブレードの先端の直線速度として定義されている - - - - FanEfficiency - Fan mechanical efficiency. - - - - - Fan Efficiency - Fan効率 - - - - ファン機械効率 - - - - OverallEfficiency - Total efficiency of motor and fan. - - - - - Overall Efficiency - 全体効率 - - - - モーターとファンの全体効率 - - - - FanPowerRate - Fan power consumption. - - - - - Fan Power Rate - Fan効率動力量 - - - - ファン消費電力 - - - - ShaftPowerRate - Fan shaft power. - - - - - Shaft Power Rate - 軸動力量 - - - - ファン軸動力 - - - - DischargeVelocity - The speed at which air discharges from the fan through the fan housing discharge opening. - - - - - Discharge Velocity - 吐出速度 - - - - ファン吐出口からの吐出風速 - - - - DischargePressureLoss - Fan discharge pressure loss associated with the discharge arrangement. - - - - - Discharge Pressure Loss - 吐出圧力損失 - - - - 吐出部に関連した吐出圧力損失 - - - - DrivePowerLoss - Fan drive power losses associated with the type of connection between the motor and the fan wheel. - - - - - Drive Power Loss - 駆動電力損失 - - - - ファン駆動力損失は、モータとファンホイールとの間の接続の種類に関連付けられている。 - - - - - - Fan性能履歴属性 -Sound属性はIFC2x2付録で削除された。: IfcSoundPropertiesを代わりに使う - - - - - Pset_FanTypeCommon - Fan type common attributes. - - - IfcFan - - IfcFan - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - MotorDriveType - Motor drive type: -DIRECTDRIVE: Direct drive. -BELTDRIVE: Belt drive. -COUPLING: Coupling. -OTHER: Other type of motor drive. -UNKNOWN: Unknown motor drive type. - - - - DIRECTDRIVE - BELTDRIVE - COUPLING - OTHER - NOTKNOWN - UNSET - - - - DIRECTDRIVE - - Direct Drive - - - Direct drive - - - - BELTDRIVE - - Belt Drive - - - Belt drive - - - - COUPLING - - Coupling - - - Coupling - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Motor Drive Type - モーター駆動種類 - - - - モーター駆動種類 -DIRECTDRIVE: ダイレクトドライブ -BELTDRIVE: ベルトドライブ -COUPLING: カップリング -OTHER: その他 - - - - CapacityControlType - InletVane: Control by adjusting inlet vane. -VariableSpeedDrive: Control by variable speed drive. -BladePitchAngle: Control by adjusting blade pitch angle. -TwoSpeed: Control by switch between high and low speed. -DischargeDamper: Control by modulating discharge damper. - - - - INLETVANE - VARIABLESPEEDDRIVE - BLADEPITCHANGLE - TWOSPEED - DISCHARGEDAMPER - OTHER - NOTKNOWN - UNSET - - - - INLETVANE - - Inlet Vane - - - - - - - VARIABLESPEEDDRIVE - - Variable Speed Drive - - - - - - - BLADEPITCHANGLE - - Blade Pitch Angle - - - - - - - TWOSPEED - - Two Speed - - - - - - - DISCHARGEDAMPER - - Discharge Damper - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Capacity Control Type - 容量制御方式 - - - - InletVane: インレットベーン -VariableSpeedDrive: 変速駆動 -BladePitchAngle: 羽根ピッチ制御 -TwoSpeed: 二速制御 -DischargeDamper: 吐出ダンパ制御 - - - - OperationTemperatureRange - Allowable operation ambient air temperature range. - - - - - - - Operation Temperature Range - 動作温度範囲 - - - - 許容動作周囲温度範囲 - - - - NominalAirFlowRate - Nominal air flow rate. - - - - - - - Nominal Air Flow Rate - 設計風量 - - - - 設計風量 - - - - NominalTotalPressure - Nominal total pressure rise across the fan. - - - - - - - Nominal Total Pressure - 設計全圧 - - - - ファンでの設計全圧上昇 - - - - NominalStaticPressure - The static pressure within the air stream that the fan must overcome to insure designed circulation of air. - - - - - - - Nominal Static Pressure - 設計静圧 - - - - 設計空気循環量を保証するためにファンが克服しなければならない気流中の静圧 - - - - NominalRotationSpeed - Nominal fan wheel speed. - - - - - - - Nominal Rotation Speed - 設計回転速度 - - - - 設計ホイール速度 - - - - NominalPowerRate - Nominal fan power rate. - - - - - - - Nominal Power Rate - 設計動力 - - - - 設計動力 - - - - OperationalCriteria - Time of operation at maximum operational ambient air temperature. - - - - - - - Operational Criteria - 動作環境 - - - - 最大動作周囲温度での動作の時間 - - - - PressureCurve - Pressure rise = f (flow rate). - - - - - - - - - - - - - Pressure Curve - - - - - - - EfficiencyCurve - Fan efficiency =f (flow rate). - - - - - - - - - - - - - Efficiency Curve - - - - - - - - - Fanタイプ共通属性 - - - - - Pset_FastenerWeld - Properties related to welded connections. - - - IfcFastener/WELD - - IfcFastener/WELD - - - Type1 - Type of weld seam according to ISO 2553. Note, combined welds are given by two corresponding symbols in the direction of the normal axis of the coordinate system. For example, an X weld is specified by Type1 = 'V' and Type2 = 'V'. - - - - - - - Type1 - - - - - - - Type2 - See Type1. - - - - - - - Type2 - - - - - - - Surface1 - Aspect of weld seam surface, i.e. 'plane', 'curved' or 'hollow'. Combined welds are given by two corresponding symbols analogous to Type1 and Type2. - - - - - - - Surface1 - - - - - - - Surface2 - See Surface1. - - - - - - - Surface2 - - - - - - - Process - Reference number of the welding process according to ISO 4063, an up to three digits long code - - - - - - - Process - - - - - - - ProcessName - Name of the welding process. Alternative to the numeric Process property. - - - - - - - Process Name - - - - - - - a - Measure a according to ISO 2553 - - - - - - - a - - - - - - - c - Measure c according to ISO 2553 - - - - - - - c - - - - - - - d - Measure d according to ISO 2553 - - - - - - - d - - - - - - - e - Measure e according to ISO 2553 - - - - - - - e - - - - - - - l - Measure l according to ISO 2553 - - - - - - - l - - - - - - - n - Count n according to ISO 2553 - - - - - - - n - - - - - - - s - Measure s according to ISO 2553 - - - - - - - s - - - - - - - z - Measure z according to ISO 2553 - - - - - - - z - - - - - - - Intermittent - If fillet weld, intermittent or not - - - - - - - Intermittent - - - - - - - Staggered - If intermittent weld, staggered or not - - - - - - - Staggered - - - - - - - - - - - - - Pset_FilterPHistory - Filter performance history attributes. - - - IfcFilter - - IfcFilter - - - CountedEfficiency - Filter efficiency based the particle counts concentration before and after filter against particles with certain size distribution. - - - - - Counted Efficiency - - - - - - - WeightedEfficiency - Filter efficiency based the particle weight concentration before and after filter against particles with certain size distribution. - - - - - Weighted Efficiency - - - - - - - ParticleMassHolding - Mass of particle holding in the filter. - - - - - Particle Mass Holding - - - - - - - - - - - - - Pset_FilterTypeAirParticleFilter - Air particle filter type attributes. - - - IfcFilter/AIRPARTICLEFILTER - - IfcFilter/AIRPARTICLEFILTER - - - AirParticleFilterType - A panel dry type extended surface filter is a dry-type air filter with random fiber mats or blankets in the forms of pockets, V-shaped or radial pleats, and include the following: - -CoarseFilter: Filter with a efficiency lower than 30% for atmosphere dust-spot. -CoarseMetalScreen: Filter made of metal screen. -CoarseCellFoams: Filter made of cell foams. -CoarseSpunGlass: Filter made of spun glass. -MediumFilter: Filter with an efficiency between 30-98% for atmosphere dust-spot. -MediumElectretFilter: Filter with fine electret synthetic fibers. -MediumNaturalFiberFilter: Filter with natural fibers. -HEPAFilter: High efficiency particulate air filter. -ULPAFilter: Ultra low penetration air filter. -MembraneFilters: Filter made of membrane for certain pore diameters in flat sheet and pleated form. -A renewable media with a moving curtain viscous filter are random-fiber media coated with viscous substance in roll form or curtain where fresh media is fed across the face of the filter and the dirty media is rewound onto a roll at the bottom or to into a reservoir: -RollForm: Viscous filter used in roll form. -AdhesiveReservoir: Viscous filter used in moving curtain form. -A renewable moving curtain dry media filter is a random-fiber dry media of relatively high porosity used in moving-curtain(roll) filters. -An electrical filter uses electrostatic precipitation to remove and collect particulate contaminants. - - - - COARSEMETALSCREEN - COARSECELLFOAMS - COARSESPUNGLASS - MEDIUMELECTRETFILTER - MEDIUMNATURALFIBERFILTER - HEPAFILTER - ULPAFILTER - MEMBRANEFILTERS - RENEWABLEMOVINGCURTIANDRYMEDIAFILTER - ELECTRICALFILTER - ROLLFORM - ADHESIVERESERVOIR - OTHER - NOTKNOWN - UNSET - - - - COARSEMETALSCREEN - - Coarse Metal Screen - - - - - - - COARSECELLFOAMS - - Coarse Cell Foams - - - - - - - COARSESPUNGLASS - - Coarse Spun Glass - - - - - - - MEDIUMELECTRETFILTER - - Medium Electret Filter - - - - - - - MEDIUMNATURALFIBERFILTER - - Medium Natural Fiber Filter - - - - - - - HEPAFILTER - - HEPA Filter - - - - - - - ULPAFILTER - - ULPA Filter - - - - - - - MEMBRANEFILTERS - - Membrane Filters - - - - - - - RENEWABLEMOVINGCURTIANDRYMEDIAFILTER - - Renewable Moving Curtian Dry Media Filter - - - - - - - ELECTRICALFILTER - - Electrical Filter - - - - - - - ROLLFORM - - Roll Form - - - - - - - ADHESIVERESERVOIR - - Adhesive Reservoir - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Air Particle Filter Type - - - - - - - FrameMaterial - Filter frame material. - - - - - Frame Material - - - - - - - SeparationType - Air particulate filter media separation type. - - - - BAG - PLEAT - TREADSEPARATION - OTHER - NOTKNOWN - UNSET - - - - BAG - - Bag - - - - - - - PLEAT - - Pleat - - - - - - - TREADSEPARATION - - Tread Separation - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Separation Type - - - - - - - DustHoldingCapacity - Maximum filter dust holding capacity. - - - - - - - Dust Holding Capacity - - - - - - - FaceSurfaceArea - Face area of filter frame. - - - - - - - Face Surface Area - - - - - - - MediaExtendedArea - Total extended media area. - - - - - - - Media Extended Area - - - - - - - NominalCountedEfficiency - Nominal filter efficiency based the particle count concentration before and after the filter against particles with a certain size distribution. - - - - - - - Nominal Counted Efficiency - - - - - - - NominalWeightedEfficiency - Nominal filter efficiency based the particle weight concentration before and after the filter against particles with a certain size distribution. - - - - - - - Nominal Weighted Efficiency - - - - - - - PressureDropCurve - Under certain dust holding weight, DelPressure = f (fluidflowRate) - - - - - - - - - - - - - Pressure Drop Curve - - - - - - - CountedEfficiencyCurve - Counted efficiency curve as a function of dust holding weight, efficiency = f (dust holding weight). - - - - - - - - - - - - - Counted Efficiency Curve - - - - - - - WeightedEfficiencyCurve - Weighted efficiency curve as a function of dust holding weight, efficiency = f (dust holding weight). - - - - - - - - - - - - - Weighted Efficiency Curve - - - - - - - - - - - - - Pset_FilterTypeCommon - Filter type common attributes. - - - IfcFilter - - IfcFilter - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - Weight - Weight of filter. - - - - - - - Weight - - - - - - - InitialResistance - Initial new filter fluid resistance (i.e., pressure drop at the maximum air flowrate across the filter when the filter is new per ASHRAE Standard 52.1). - - - - - - - Initial Resistance - - - - - - - FinalResistance - Filter fluid resistance when replacement is required (i.e., Pressure drop at the maximum air flowrate across the filter when the filter needs replacement per ASHRAE Standard 52.1). - - - - - - - Final Resistance - - - - - - - OperationTemperatureRange - Allowable operation ambient fluid temperature range. - - - - - - - Operation Temperature Range - - - - - - - FlowRateRange - Possible range of fluid flowrate that can be delivered. - - - - - - - Flow Rate Range - - - - - - - NominalFilterFaceVelocity - Filter face velocity. - - - - - - - Nominal Filter Face Velocity - - - - - - - NominalMediaSurfaceVelocity - Average fluid velocity at the media surface. - - - - - - - Nominal Media Surface Velocity - - - - - - - NominalPressureDrop - Total pressure drop across the filter. - - - - - - - Nominal Pressure Drop - - - - - - - NominalFlowrate - Nominal fluid flow rate through the filter. - - - - - - - Nominal Flowrate - - - - - - - NominalParticleGeometricMeanDiameter - Particle geometric mean diameter associated with nominal efficiency. - - - - - - - Nominal Particle Geometric Mean Diameter - - - - - - - NominalParticleGeometricStandardDeviation - Particle geometric standard deviation associated with nominal efficiency. - - - - - - - Nominal Particle Geometric Standard Deviation - - - - - - - - - - - - - Pset_FilterTypeCompressedAirFilter - Compressed air filter type attributes. - - - IfcFilter/COMPRESSEDAIRFILTER - - IfcFilter/COMPRESSEDAIRFILTER - - - CompressedAirFilterType - ACTIVATEDCARBON: absorbs oil vapor and odor; PARTICLE_FILTER: used to absorb solid particles of medium size; COALESCENSE_FILTER: used to absorb fine solid, oil, and water particles, also called micro filter - - - - ACTIVATEDCARBON - PARTICLE_FILTER - COALESCENSE_FILTER - OTHER - NOTKNOWN - UNSET - - - - ACTIVATEDCARBON - - Activated Carbon - - - - - - - PARTICLE_FILTER - - Particle Filter - - - used to absorb solid particles of medium size - - - - COALESCENSE_FILTER - - Coalescense Filter - - - used to absorb fine solid, oil, and water particles, also called micro filter - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Compressed Air Filter Type - - - - - - - OperationPressureMax - Maximum pressure under normal operating conditions. - - - - - - - Operation Pressure Max - - - - - - - ParticleAbsorptionCurve - Ratio of particles that are removed by the filter. Each entry describes the ratio of particles absorbed greater than equal to the specified size and less than the next specified size. For example, given for 3 significant particle sizes >= 0,1 micro m, >= 1 micro m, >= 5 micro m - - - - - - - - - - - - - Particle Absorption Curve - - - - - - - AutomaticCondensateDischarge - Whether or not the condensing water or oil is discharged automatically from the filter. - - - - - - - Automatic Condensate Discharge - - - - - - - CloggingIndicator - Whether the filter has an indicator to display the degree of clogging of the filter. - - - - - - - Clogging Indicator - - - - - - - - - - - - - Pset_FilterTypeWaterFilter - Water filter type attributes. - - - IfcFilter/WATERFILTER - - IfcFilter/WATERFILTER - - - WaterFilterType - Further qualifies the type of water filter. Filtration removes undissolved matter; Purification removes dissolved matter; Softening replaces dissolved matter. - - - - FILTRATION_DIATOMACEOUSEARTH - FILTRATION_SAND - PURIFICATION_DEIONIZING - PURIFICATION_REVERSEOSMOSIS - SOFTENING_ZEOLITE - OTHER - NOTKNOWN - UNSET - - - - FILTRATION_DIATOMACEOUSEARTH - - Filtration Diatomaceous Earth - - - - - - - FILTRATION_SAND - - Filtration Sand - - - - - - - PURIFICATION_DEIONIZING - - Purification Deionizing - - - - - - - PURIFICATION_REVERSEOSMOSIS - - Purification Reverse Osmosis - - - - - - - SOFTENING_ZEOLITE - - Softening Zeolite - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Water Filter Type - - - - - - - - - - - - - Pset_FireSuppressionTerminalTypeBreechingInlet - Symmetrical pipe fitting that unites two or more inlets into a single pipe (BS6100 330 114 adapted). - - - IfcFireSuppressionTerminal/BREECHINGINLET - - IfcFireSuppressionTerminal/BREECHINGINLET - - - BreechingInletType - Defines the type of breeching inlet. - - - - TWOWAY - FOURWAY - OTHER - USERDEFINED - NOTDEFINED - - - - TWOWAY - - Two-way - - - - - - - FOURWAY - - Four-way - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - USERDEFINED - - Userdefined - - - - - - - NOTDEFINED - - Notdefined - - - - - - - - - - Breeching Inlet Type - 送水口タイプ - - - - 送水口タイプの定義。 - - - - InletDiameter - The inlet diameter of the breeching inlet. - - - - - - - Inlet Diameter - 入口口径 - - - - 入口の直径。 - - - - OutletDiameter - The outlet diameter of the breeching inlet. - - - - - - - Outlet Diameter - 出口口径 - - - - 出口の直径。 - - - - CouplingType - Defines the type coupling on the inlet of the breeching inlet. - - - - INSTANTANEOUS_FEMALE - INSTANTANEOUS_MALE - OTHER - USERDEFINED - NOTDEFINED - - - - INSTANTANEOUS_FEMALE - - Instantaneous Female - - - - - - - INSTANTANEOUS_MALE - - Instantaneous Male - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - USERDEFINED - - Userdefined - - - - - - - NOTDEFINED - - Notdefined - - - - - - - - - - Coupling Type - カップリングタイプ - - - - 送水口入口のカップリングタイプ。 - - - - HasCaps - Does the inlet connection have protective caps. - - - - - - - Has Caps - 保護キャップ - - - - 入口接続が保護キャップを持っているか。 - - - - - - ひとつのパイプ(適合BS6100330114)に2つ以上の入口をもつ対称配管継手。 - - - - - Pset_FireSuppressionTerminalTypeCommon - Common properties for fire suppression terminals. - - - IfcFireSuppressionTerminal - - IfcFireSuppressionTerminal - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照記号 - - - - 使用される認識分類システムで分類基準がない場合、プロジェクトで指定された型(タイプ'A-1'など)で提供されるレファレンスID。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - 消火栓の共通プロパティを設定。 - - - - - Pset_FireSuppressionTerminalTypeFireHydrant - Device, fitted to a pipe, through which a temporary supply of water may be provided (BS6100 330 6107) - -For further details on fire hydrants, see www.firehydrant.org - - - IfcFireSuppressionTerminal/FIREHYDRANT - - IfcFireSuppressionTerminal/FIREHYDRANT - - - FireHydrantType - Defines the range of hydrant types from which the required type can be selected where. - -DryBarrel: A hydrant that has isolating valves fitted below ground and that may be used where the possibility of water freezing is a consideration. -WetBarrel: A hydrant that has isolating valves fitted above ground and that may be used where there is no possibility of water freezing. - - - - DRYBARREL - WETBARREL - OTHER - NOTKNOWN - UNSET - - - - DRYBARREL - - Dry Barrel - - - - - - - WETBARREL - - Wet Barrel - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Fire Hydrant Type - 消火栓のタイプ - - - - 消火栓の必要なタイプを定義する。 - -乾式l:凍結の可能性のあるとき地中に開放弁セット。 - -湿式:凍結の可能性のないとき地上に開放弁セット。 - - - - PumperConnectionSize - The size of a connection to which a fire hose may be connected that is then linked to a pumping unit. - - - - - - - Pumper Connection Size - ポンプ接続サイズ - - - - ポンプユニットに接続されであろう消防ホースの接続サイズ。 - - - - NumberOfHoseConnections - The number of hose connections on the hydrant (excluding the pumper connection). - - - - - - - Number Of Hose Connections - ホースの接続の数 - - - - (ポンプ接続を除く)消火栓のホース接続の数。 - - - - HoseConnectionSize - The size of connections to which a hose may be connected (other than that to be linked to a pumping unit). - - - - - - - Hose Connection Size - ホース接続サイズ - - - - 接続ホースのサイズ(ポンプユニット接続以外の)。 - - - - DischargeFlowRate - The volumetric rate of fluid discharge. - - - - - - - Discharge Flow Rate - 放水流量 - - - - 放水液体の体積。 - - - - FlowClass - Alphanumeric indication of the flow class of a hydrant (may be used in connection with or instead of the FlowRate property). - - - - - - - Flow Class - 流量クラス - - - - 消火栓流量クラスの英数字表示(流量属性と一緒に、または代わりに用いられる)。 - - - - WaterIsPotable - Indication of whether the water flow from the hydrant is potable (set TRUE) or non potable (set FALSE). - - - - - - - Water Is Potable - 飲用水かどうか - - - - 消火栓の水が飲用かどうかの表示(飲用:TRUEを設定、飲用以外:FALSEを設定)。 - - - - PressureRating - Maximum pressure that the hydrant is manufactured to withstand. - - - - - - - Pressure Rating - 圧力 - - - - 最大圧力、消火栓の耐圧。 - - - - BodyColor - Color of the body of the hydrant. - -Note: Consult local fire regulations for statutory colors that may be required for hydrant bodies in particular circumstances. - - - - - - - Body Color - 本体色 - - - - 消火栓本体の色。 - -注意:特定の状況で消火栓ボディに求められる地域消防規則法定色による。 - - - - CapColor - Color of the caps of the hydrant. - -Note: Consult local fire regulations for statutory colors that may be required for hydrant caps in particular circumstances. - - - - - - - Cap Color - キャップ色 - - - - 消火栓キャップの色。 - -注意:特定の状況で消火栓キャップに求められる地域消防規則法定色による。 - - - - - - (BS61003306107)から供給される一時的な水を通す配管に取り付けられる装置。 - -消火栓の詳細については、www.firehydrant.orgを参照。 - - - - - Pset_FireSuppressionTerminalTypeHoseReel - A supporting framework on which a hose may be wound (BS6100 155 8201). - -Note that the service provided by the hose (water/foam) is determined by the context of the system onto which the hose reel is connected. - - - IfcFireSuppressionTerminal/HOSEREEL - - IfcFireSuppressionTerminal/HOSEREEL - - - HoseReelType - Identifies the predefined types of hose arrangement from which the type required may be set. - - - - RACK - REEL - OTHER - NOTKNOWN - UNSET - - - - RACK - - Rack - - - - - - - REEL - - Reel - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Hose Reel Type - ホースリールタイプ - - - - あらかじめ定義済みのホース構成の型から必要な型を設定する識別。 - - - - HoseReelMountingType - Identifies the predefined types of hose reel mounting from which the type required may be set. - - - - CABINET_RECESSED - CABINET_SEMIRECESSED - SURFACE - OTHER - NOTKNOWN - UNSET - - - - CABINET_RECESSED - - Cabinet Recessed - - - - - - - CABINET_SEMIRECESSED - - Cabinet Semirecessed - - - - - - - SURFACE - - Surface - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Hose Reel Mounting Type - ホースリール装着タイプ - - - - あらかじめ定義済みの取り付けホースリールの型から必要な型を設定する識別。 - - - - InletConnectionSize - Size of the inlet connection to the hose reel. - - - - - - - Inlet Connection Size - インレット接続サイズ - - - - ホースリールへの入口接続のサイズ。 - - - - HoseDiameter - Notional diameter (bore) of the hose. - - - - - - - Hose Diameter - ホース径 - - - - ホースの公称口径(内径)。 - - - - HoseLength - Notional length of the hose fitted to the hose reel when fully extended. - - - - - - - Hose Length - ホースの長さ - - - - ホースホースリールに装着されたホースの公称長さ(全て伸ばされたときの)。 - - - - HoseNozzleType - Identifies the predefined types of nozzle (in terms of spray pattern) fitted to the end of the hose from which the type required may be set. - - - - FOG - STRAIGHTSTREAM - OTHER - NOTKNOWN - UNSET - - - - FOG - - Fog - - - - - - - STRAIGHTSTREAM - - Straight Stream - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Hose Nozzle Type - ホースノズルタイプ - - - - あらかじめ定義済みのホースの先端に取り付けられるノズルの型(放出パターンの観点から)から必要な型を設定する識別。 - - - - ClassOfService - A classification of usage of the hose reel that may be applied. - - - - - - - Class Of Service - サービスクラス - - - - 適用されるホースリールの使用方法の分類。 - - - - ClassificationAuthority - The name of the authority that applies the classification of service to the hose reel (e.g. NFPA/FEMA). - - - - - - - Classification Authority - 分類認証機関 - - - - ホースリールの分類認証機関の名称。(例 NFPA/ FEMA) - - - - - - ホースが損傷したときのサポートの仕組み。(BS61001558201) - -ホースに供給されるサービスが水か泡かは、そのホースリールが接続されているシステムによる。 - - - - - Pset_FireSuppressionTerminalTypeSprinkler - Device for sprinkling water from a pipe under pressure over an area (BS6100 100 3432) - - - IfcFireSuppressionTerminal/SPRINKLER - - IfcFireSuppressionTerminal/SPRINKLER - - - SprinklerType - Identifies the predefined types of sprinkler from which the type required may be set. - - - - CEILING - CONCEALED - CUT-OFF - PENDANT - RECESSEDPENDANT - SIDEWALL - UPRIGHT - OTHER - NOTKNOWN - UNSET - - - - CEILING - - Ceiling - - - - - - - CONCEALED - - Concealed - - - - - - - CUTOFF - - Cut-Off - - - - - - - PENDANT - - Pendant - - - - - - - RECESSEDPENDANT - - Recessed Pendant - - - - - - - SIDEWALL - - Sidewall - - - - - - - UPRIGHT - - Upright - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Sprinkler Type - スプリンクラータイプ - - - - あらかじめ定義済みのスプリンクラーの型から必要な型を設定する識別。 - - - - Activation - Identifies the predefined methods of sprinkler activation from which that required may be set. - - - - BULB - FUSIBLESOLDER - OTHER - NOTKNOWN - UNSET - - - - BULB - - Bulb - - - - - - - FUSIBLESOLDER - - Fusible Solder - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Activation - 作動 - - - - あらかじめ定義済みのスプリンクラーの作動方式から必要な方式を設定する識別。 - - - - Response - Identifies the predefined methods of sprinkler response from which that required may be set. - - - - QUICK - STANDARD - NOTKNOWN - UNSET - - - - QUICK - - Quick - - - - - - - STANDARD - - Standard - - - - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Response - 応答 - - - - あらかじめ定義済みのスプリンクラーの応答方式から必要な方式を設定する識別。 - - - - ActivationTemperature - The temperature at which the object is designed to activate. - - - - - - - Activation Temperature - 作動温度 - - - - 設計作動温度。 - - - - CoverageArea - The area that the sprinkler is designed to protect. - - - - - - - Coverage Area - カバー面積 - - - - スプリンクラーの設計保護区画面積。 - - - - HasDeflector - Indication of whether the sprinkler has a deflector (baffle) fitted to diffuse the discharge on activation (= TRUE) or not (= FALSE). - - - - - - - Has Deflector - ディフレクターの有無 - - - - スプリンクラー作動時、放水を拡散させる偏向器(バッフル)取り付けているかどうかの表示(= TRUE)そうでないか(= FALSE)を返します。 - - - - BulbLiquidColor - The color of the liquid in the bulb for a bulb activated sprinkler. Note that the liquid color varies according to the activation temperature requirement of the sprinkler head. Note also that this property does not need to be asserted for quick response activated sprinklers. - - - - ORANGE - RED - YELLOW - GREEN - BLUE - MAUVE - OTHER - NOTKNOWN - UNSET - - - - ORANGE - - Orange - - - - - - - RED - - Red - - - - - - - YELLOW - - Yellow - - - - - - - GREEN - - Green - - - - - - - BLUE - - Blue - - - - - - - MAUVE - - Mauve - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Bulb Liquid Color - バルブ液体色 - - - - バルブ作動スプリンクラーのバルブ液体色の設定。液体色は、スプリンクラーヘッドの作動温度に応じて変化する。また、この属性は、高速応答スプリンクラーは設定する必要はない。 - - - - DischargeFlowRate - The volumetric rate of fluid discharge. - - - - - - - Discharge Flow Rate - 吐出流量 - - - - 吐出流体の体積流量。 - - - - ResidualFlowingPressure - The residual flowing pressure in the pipeline at which the discharge flow rate is determined. - - - - - - - Residual Flowing Pressure - 残留流動圧力 - - - - 吐出流量が確保される、パイプラインの流れ時残留圧力。 - - - - DischargeCoefficient - The coefficient of flow at the sprinkler. - - - - - - - Discharge Coefficient - 流量係数 - - - - スプリンクラーの流れの係数。 - - - - MaximumWorkingPressure - Maximum pressure that the object is manufactured to withstand. - - - - - - - Maximum Working Pressure - 最大作動圧力 - - - - 最大圧力、製造耐圧。 - - - - ConnectionSize - Size of the inlet connection to the sprinkler. - - - - - - - Connection Size - 接続サイズ - - - - スプリンクラーへの入口接続のサイズ。 - - - - - - 特定エリアに水圧をかけた配管より散水する装置。(BS61001003432) - - - - - Pset_FlowInstrumentPHistory - Properties for history of flow instrument values. HISTORY: Added in IFC4. - - - IfcFlowInstrument - - IfcFlowInstrument - - - Value - Indicates measured values over time which may be recorded continuously or only when changed beyond a particular deadband. - - - - - Value - - - - - - - Quality - Indicates the quality of measurement or failure condition, which may be further qualified by the Status. True: measured values are considered reliable; False: measured values are considered not reliable (i.e. a fault has been detected); Unknown: reliability of values is uncertain. - - - - - Quality - - - - - - - Status - Indicates an error code or identifier, whose meaning is specific to the particular automation system. Example values include: 'ConfigurationError', 'NotConnected', 'DeviceFailure', 'SensorFailure', 'LastKnown, 'CommunicationsFailure', 'OutOfService'. - - - - - Status - - - - - - - - - - - - - Pset_FlowInstrumentTypeCommon - Flow Instrument type common attributes. HISTORY: Added in IFC4. - - - IfcFlowInstrument - - IfcFlowInstrument - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照記号 - 참조 ID - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 해당 프로젝트에서 사용이 유형에 대한 참조 ID (예 : 'A-1') ※ 기본이있는 경우 그 기호를 사용 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - 流体計器の共通属性。 - - - - - Pset_FlowInstrumentTypePressureGauge - A device that reads and displays a pressure value at a point or the pressure difference between two points. - - - IfcFlowInstrument/PRESSUREGAUGE - - IfcFlowInstrument/PRESSUREGAUGE - - - PressureGaugeType - Identifies the means by which pressure is displayed. - - - - DIAL - DIGITAL - MANOMETER - OTHER - NOTKNOWN - UNSET - - - - DIAL - - Dial - - - - - - - DIGITAL - - Digital - - - - - - - MANOMETER - - Manometer - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Pressure Gauge Type - 圧力計タイプ - 압력계 유형 - - - - 圧力が表示される手段を識別する。 - 압력이 표시되는 방법을 확인한다. - - - - DisplaySize - The physical size of the display. For a dial pressure gauge it will be the diameter of the dial. - - - - - - - Display Size - 表示サイズ - 디스플레이 크기 - - - - 表示のサイズ。 ダイヤル圧力計に関しては、ダイヤルの直径になる。 - 표시의 크기입니다. 다이얼 게이지에 관해서는 전화 직경된다. - - - - - - その位置の圧力、または、2か所の差圧を測定し表示するデバイス。 - - - - - Pset_FlowInstrumentTypeThermometer - A device that reads and displays a temperature value at a point. - - - IfcFlowInstrument/THERMOMETER - - IfcFlowInstrument/THERMOMETER - - - ThermometerType - Identifies the means by which temperature is displayed. - - - - DIAL - DIGITAL - STEM - OTHER - NOTKNOWN - UNSET - - - - DIAL - - Dial - - - - - - - DIGITAL - - Digital - - - - - - - STEM - - Stem - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Thermometer Type - 温度計タイプ - 온도계 유형 - - - - 温度が表示される手段を識別する。 - 온도가 표시되는 방법을 확인한다. - - - - DisplaySize - The physical size of the display. In the case of a stem thermometer, this will be the length of the stem. For a dial thermometer, it will be the diameter of the dial. - - - - - - - Display Size - 表示サイズ - 디스플레이 크기 - - - - 表示のサイズ。 棒温度計の場合では、軸の長さになる。 ダイヤル温度計に関しては、ダイヤルの直径になる。 - 표시의 크기입니다. 막대 온도계의 경우, 축의 길이가된다. 다이얼 온도계에 대해서는 다이얼 직경된다. - - - - - - 温度を測定し表示するデバイス。 - - - - - Pset_FlowMeterOccurrence - Flow meter occurrence common attributes. - - - IfcFlowMeter - - IfcFlowMeter - - - Purpose - Enumeration defining the purpose of the flow meter occurrence. - - - - MASTER - SUBMASTER - SUBMETER - OTHER - NOTKNOWN - UNSET - - - - MASTER - - Master - - - - - - - SUBMASTER - - Submaster - - - - - - - SUBMETER - - Submeter - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Purpose - - - - - - - - - - - - - Pset_FlowMeterTypeCommon - Common attributes of a flow meter type - - - IfcFlowMeter - - IfcFlowMeter - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - ReadOutType - Indication of the form that readout from the meter takes. In the case of a dial read out, this may comprise multiple dials that give a cumulative reading and/or a mechanical odometer. - - - - DIAL - DIGITAL - OTHER - NOTKNOWN - UNSET - - - - DIAL - - Dial - - - - - - - DIGITAL - - Digital - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Read Out Type - - - - - - - RemoteReading - Indicates whether the meter has a connection for remote reading through connection of a communication device (set TRUE) or not (set FALSE). - - - - - - - Remote Reading - - - - - - - - - - - - - Pset_FlowMeterTypeEnergyMeter - Device that measures, indicates and sometimes records, the energy usage in a system. - - - IfcFlowMeter/ENERGYMETER - - IfcFlowMeter/ENERGYMETER - - - NominalCurrent - The nominal current that is designed to be measured. - - - - - - - Nominal Current - - - - - - - MaximumCurrent - The maximum allowed current that a device is certified to handle. - - - - - - - Maximum Current - - - - - - - MultipleTarriff - Indicates whether meter has built-in support for multiple tarriffs (variable energy cost rates). - - - - - - - Multiple Tarriff - - - - - - - - - - - - - Pset_FlowMeterTypeGasMeter - Device that measures, indicates and sometimes records, the volume of gas that passes through it without interrupting the flow. - - - IfcFlowMeter/GASMETER - - IfcFlowMeter/GASMETER - - - GasType - Defines the types of gas that may be specified. - - - - COMMERCIALBUTANE - COMMERCIALPROPANE - LIQUEFIEDPETROLEUMGAS - NATURALGAS - OTHER - NOTKNOWN - UNSET - - - - COMMERCIALBUTANE - - Commercial Butane - - - - - - - COMMERCIALPROPANE - - Commercial Propane - - - - - - - LIQUEFIEDPETROLEUMGAS - - Liquefied Petroleum Gas - - - - - - - NATURALGAS - - Natural Gas - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Gas Type - - - - - - - ConnectionSize - Defines the size of inlet and outlet pipe connections to the meter. - - - - - - - Connection Size - - - - - - - MaximumFlowRate - Maximum rate of flow which the meter is expected to pass. - - - - - - - Maximum Flow Rate - - - - - - - MaximumPressureLoss - Pressure loss expected across the meter under conditions of maximum flow. - - - - - - - Maximum Pressure Loss - - - - - - - - - - - - - Pset_FlowMeterTypeOilMeter - Device that measures, indicates and sometimes records, the volume of oil that passes through it without interrupting the flow. - - - IfcFlowMeter/OILMETER - - IfcFlowMeter/OILMETER - - - ConnectionSize - Defines the size of inlet and outlet pipe connections to the meter. - - - - - - - Connection Size - - - - - - - MaximumFlowRate - Maximum rate of flow which the meter is expected to pass. - - - - - - - Maximum Flow Rate - - - - - - - - - - - - - Pset_FlowMeterTypeWaterMeter - Device that measures, indicates and sometimes records, the volume of water that passes through it without interrupting the flow. - - - IfcFlowMeter/WATERMETER - - IfcFlowMeter/WATERMETER - - - Type - Defines the allowed values for selection of the flow meter operation type. - - - - COMPOUND - INFERENTIAL - PISTON - OTHER - NOTKNOWN - UNSET - - - - COMPOUND - - Compound - - - - - - - INFERENTIAL - - Inferential - - - - - - - PISTON - - Piston - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Type - - - - - - - ConnectionSize - Defines the size of inlet and outlet pipe connections to the meter. - - - - - - - Connection Size - - - - - - - MaximumFlowRate - Maximum rate of flow which the meter is expected to pass. - - - - - - - Maximum Flow Rate - - - - - - - MaximumPressureLoss - Pressure loss expected across the meter under conditions of maximum flow. - - - - - - - Maximum Pressure Loss - - - - - - - BackflowPreventerType - Identifies the type of backflow preventer installed to prevent the backflow of contaminated or polluted water from an irrigation/reticulation system to a potable water supply. - - - - NONE - ATMOSPHERICVACUUMBREAKER - ANTISIPHONVALVE - DOUBLECHECKBACKFLOWPREVENTER - PRESSUREVACUUMBREAKER - REDUCEDPRESSUREBACKFLOWPREVENTER - OTHER - NOTKNOWN - UNSET - - - - NONE - - None - - - - - - - ATMOSPHERICVACUUMBREAKER - - Atmospheric Vacuum Breaker - - - - - - - ANTISIPHONVALVE - - Antisiphon Valve - - - - - - - DOUBLECHECKBACKFLOWPREVENTER - - Double Check Backflow Preventer - - - - - - - PRESSUREVACUUMBREAKER - - Pressure Vacuum Breaker - - - - - - - REDUCEDPRESSUREBACKFLOWPREVENTER - - Reduced Pressure Backflow Preventer - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Backflow Preventer Type - - - - - - - - - - - - - Pset_FootingCommon - Properties common to the definition of all occurrences of IfcFooting. - - - IfcFooting - - IfcFooting - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - 当プロジェクトにおけるこの指定型式のためのリファレンスID。(たとえは、'A-1'型) - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - LoadBearing - Indicates whether the object is intended to carry loads (TRUE) or not (FALSE) - - - - - - - Tragendes Bauteil - Load Bearing - Porteur - 耐力部材 - - - Angabe, ob dieses Bauteil tragend ist (JA) oder nichttragend (NEIN) - Indicates whether the object is intended to carry loads (TRUE) or not (FALSE). - Indique si l'objet est censé porter des charges (VRAI) ou non (FAUX). - 荷重に関係している部材かどうかを示すブーリアン値。 - - - - - - 生成されたすべてのIfcFooting の定義に共通するプロパティ。 - - - - - Pset_FurnitureTypeChair - A set of specific properties for furniture type chair. HISTORY: First issued in IFC Release R1.5. Renamed from Pset_Chair - - - IfcFurniture/CHAIR - - IfcFurniture/CHAIR - - - SeatingHeight - The value of seating height if the chair height is not adjustable. - - - - - - - Seating Height - - - - - - - HighestSeatingHeight - The value of seating height of high level if the chair height is adjustable. - - - - - - - Highest Seating Height - - - - - - - LowestSeatingHeight - The value of seating height of low level if the chair height is adjustable. - - - - - - - Lowest Seating Height - - - - - - - - - - - - - Pset_FurnitureTypeCommon - Common properties for all types of furniture such as chair, desk, table, and file cabinet. HISTORY: First issued in IFC Release R1.5. Renamed from Pset_FurnitureCommon. IFC 2x4: 'IsBuiltIn' property added - - - IfcFurniture - - IfcFurniture - - - Reference - - - - - - - - - - Status - - - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - - - - Style - Description of the furniture style. - - - - - - - Style - - - - - - - NominalHeight - The nominal height of the furniture of this type. The size information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the size properties, provided in the attached property set, the geometric parameters take precedence. - - - - - - - Nominal Height - - - - - - - NominalLength - The nominal length of the furniture of this type. The size information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the size properties, provided in the attached property set, the geometric parameters take precedence. - - - - - - - Nominal Length - - - - - - - NominalDepth - The nominal depth of the furniture of this type. The size information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the size properties, provided in the attached property set, the geometric parameters take precedence. - - - - - - - Nominal Depth - - - - - - - MainColor - The main color of the furniture of this type. - - - - - - - Main Color - - - - - - - IsBuiltIn - Indicates whether the furniture type is intended to be 'built in' i.e. physically attached to a building or facility (= TRUE) or not i.e. Loose and movable (= FALSE). - - - - - - - Is Built In - - - - - - - - - - - - - Pset_FurnitureTypeDesk - A set of specific properties for furniture type desk. HISTORY: First issued in IFC Release R1.5. Renamed from Pset_Desk - - - IfcFurniture/DESK - - IfcFurniture/DESK - - - WorksurfaceArea - The value of the work surface area of the desk. - - - - - - - Worksurface Area - - - - - - - - - - - - - Pset_FurnitureTypeFileCabinet - A set of specific properties for furniture type file cabinet HISTORY: First issued in IFC Release R1.5. Renamed from Pset_FileCabinet - - - IfcFurniture/FILECABINET - - IfcFurniture/FILECABINET - - - WithLock - Indicates whether the file cabinet is lockable (= TRUE) or not (= FALSE). - - - - - - - With Lock - - - - - - - - - - - - - Pset_FurnitureTypeTable - HISTORY: First issued in IFC Release R1.5. Renamed from Pset_Table - - - IfcFurniture/TABLE - - IfcFurniture/TABLE - - - WorksurfaceArea - The value of the work surface area of the desk.. - - - - - - - Worksurface Area - - - - - - - NumberOfChairs - Maximum number of chairs that can fit with the table for normal use. - - - - - - - Number Of Chairs - - - - - - - - - - - - - Pset_HeatExchangerTypeCommon - Heat exchanger type common attributes. - - - IfcHeatExchanger - - IfcHeatExchanger - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - Arrangement - Defines the basic flow arrangements for the heat exchanger: - -COUNTERFLOW: Counterflow heat exchanger arrangement. -CROSSFLOW: Crossflow heat exchanger arrangement. -PARALLELFLOW: Parallel flow heat exchanger arrangement. -MULTIPASS: Multipass flow heat exchanger arrangement. -OTHER: Other type of heat exchanger flow arrangement not defined above. - - - - COUNTERFLOW - CROSSFLOW - PARALLELFLOW - MULTIPASS - OTHER - NOTKNOWN - UNSET - - - - COUNTERFLOW - - Counter Flow - - - Counterflow heat exchanger arrangement - - - - CROSSFLOW - - Cross Flow - - - Crossflow heat exchanger arrangement - - - - PARALLELFLOW - - Parallel Flow - - - Parallel flow heat exchanger arrangement - - - - MULTIPASS - - Multipass - - - Multipass flow heat exchanger arrangement - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Arrangement - 配置 - - - - 熱交換器の流れの基本的配置(カウンターフロー、クロスフロー。パラレルフロー、マルチパス、その他) - - - - - - - - - - Pset_HeatExchangerTypePlate - Plate heat exchanger type common attributes. - - - IfcHeatExchanger/PLATE - - IfcHeatExchanger/PLATE - - - NumberOfPlates - Number of plates used by the plate heat exchanger. - - - - - - - Number Of Plates - プレート数 - - - - プレート式熱交換器に使われているプレート数 - - - - - - - - - - Pset_HumidifierPHistory - Humidifier performance history attributes. -Sound attribute deleted in IFC2x2 Pset Addendum: Use IfcSoundProperties instead. - - - IfcHumidifier - - IfcHumidifier - - - AtmosphericPressure - Ambient atmospheric pressure. - - - - - Atmospheric Pressure - 標準大気圧(外気圧) - - - - 標準大気圧(外気圧) - - - - SaturationEfficiency - Saturation efficiency: Ratio of leaving air absolute humidity to the maximum absolute humidity. - - - - - Saturation Efficiency - 飽和比率 - - - - 飽和比率:最大絶対湿度に対する現在の絶対湿度の割合 - - - - - - - - - - Pset_HumidifierTypeCommon - Humidifier type common attributes. -WaterProperties attribute renamed to WaterRequirement and unit type modified in IFC2x2 Pset Addendum. - - - IfcHumidifier - - IfcHumidifier - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - Application - Humidifier application. - -Fixed: Humidifier installed in a ducted flow distribution system. -Portable: Humidifier is not installed in a ducted flow distribution system. - - - - PORTABLE - FIXED - OTHER - NOTKNOWN - UNSET - - - - PORTABLE - - Portable - - - - - - - FIXED - - Fixed - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Application - 応用 - - - - 加湿器の応用 (固定式:ダクト搬送系に設置する加湿器、可搬式:クト搬送系に設置しない加湿器) - - - - Weight - The weight of the humidifier. - - - - - - - Weight - 重量 - - - - 加湿器の重量 - - - - NominalMoistureGain - Nominal rate of water vapor added into the airstream. - - - - - - - Nominal Moisture Gain - 加湿量の平均 - - - - 気流に加わった水蒸気の平均量 - - - - NominalAirFlowRate - Nominal rate of air flow into which water vapor is added. - - - - - - - Nominal Air Flow Rate - 気流量の平均 - - - - 加湿される気流の平均量 - - - - InternalControl - Internal modulation control. - - - - ONOFF - STEPPED - MODULATING - NONE - OTHER - NOTKNOWN - UNSET - - - - ONOFF - - Onoff - - - - - - - STEPPED - - Stepped - - - - - - - MODULATING - - Modulating - - - - - - - NONE - - None - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Internal Control - 内部制御 - - - - 内部調整の制御 - - - - WaterRequirement - Make-up water requirement. - - - - - - - Water Requirement - 水必要量 - - - - 補給水の必要量 - - - - SaturationEfficiencyCurve - Saturation efficiency as a function of the air flow rate. - - - - - - - - - - - - - Saturation Efficiency Curve - - - - - - - AirPressureDropCurve - Air pressure drop versus air-flow rate. - - - - - - - - - - - - - Air Pressure Drop Curve - - - - - - - - - 加湿器型情報に関する共通プロパティ属性設定。 - - - - - Pset_InterceptorTypeCommon - Common properties for interceptors. - - - IfcInterceptor - - IfcInterceptor - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照記号 - - - - 使用される認識分類システムで分類基準がない場合、プロジェクトで指定された型(タイプ'A-1'など)で提供されるレファレンスID。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - NominalBodyLength - Nominal or quoted length, measured along the x-axis of the local coordinate system of the object, of the body of the object. - - - - - - - Nominal Body Length - - - - - - - NominalBodyWidth - Nominal or quoted length, measured along the y-axis of the local coordinate system of the object, of the body of the object. - - - - - - - Nominal Body Width - - - - - - - NominalBodyDepth - Nominal or quoted =length, measured along the z-axis of the local coordinate system of the object, of the body of the object. - - - - - - - Nominal Body Depth - - - - - - - InletConnectionSize - Size of the inlet connection. - - - - - - - Inlet Connection Size - - - - - - - OutletConnectionSize - Size of the outlet connection. - - - - - - - Outlet Connection Size - - - - - - - CoverLength - The length measured along the x-axis in the local coordinate system or the radius (in the case of a circular shape in plan) of the cover of the oil interceptor. - - - - - - - Cover Length - - - - - - - CoverWidth - The length measured along the x-axis in the local coordinate system of the cover of the oil interceptor. - - - - - - - Cover Width - - - - - - - VentilatingPipeSize - Size of the ventilating pipe(s). - - - - - - - Ventilating Pipe Size - - - - - - - - - 阻集器の共通プロパティを設定します。 - - - - - Pset_JunctionBoxTypeCommon - A junction box is an enclosure within which cables are connected. - -History: New in IFC4 - - - IfcJunctionBox - - IfcJunctionBox - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - 当該プロジェクトで定義する形式の参照ID(例:A-1)、承認された分類に存在しないときに使用される。 - 해당 프로젝트에 정의된 형식의 참조 ID (예 : A-1) 승인된 분류에 존재하지 않을 때 사용된다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - NumberOfGangs - Number of slots available for switches/outlets (most commonly 1, 2, 3, or 4). - - - - - - - Number Of Gangs - 分岐の数 - 분기의 수 - - - - スロットスイッチ/コンセント(最も一般的に1、2、3、または4)で使用可能な数。 - 슬롯 스위치 / 콘센트 (가장 일반적으로 1,2,3 또는 4)에서 사용할 수있는 수. - - - - ClearDepth - Clear unobstructed depth available for cable inclusion within the junction box. - - - - - - - Clear Depth - 明確な深さ - 명확한 깊이 - - - - ジヤンクションボックスにケーブルを収められる深さ。 - 지얀 섹션 상자에 케이블을 거둘 깊이. - - - - ShapeType - Shape of the junction box. - - - - RECTANGULAR - ROUND - SLOT - OTHER - NOTKNOWN - UNSET - - - - RECTANGULAR - - Rectangular - - - - - - - ROUND - - Round - - - - - - - SLOT - - Slot - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Shape Type - 形状 - 형상 - - - - ジヤンクションボックスの形状。 - 지얀 섹션 상자 모양. - - - - PlacingType - Location at which the type of junction box can be located. - - - - CEILING - FLOOR - WALL - OTHER - NOTKNOWN - UNSET - - - - CEILING - - Ceiling - - - - - - - FLOOR - - Floor - - - - - - - WALL - - Wall - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Placing Type - 位置 - 위치 - - - - ジヤンクションボックスの配置場所。 - 지얀 섹션 보트 상자 설치 방법. - - - - MountingType - Method of mounting to be adopted for the type of junction box. - - - - FACENAIL - SIDENAIL - CUT_IN - OTHER - NOTKNOWN - UNSET - - - - FACENAIL - - Facenail - - - - - - - SIDENAIL - - Sidenail - - - - - - - CUT_IN - - Cut In - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Mounting Type - 取り付け - 설치 - - - - ジヤンクションボツクスの取り付け方法。 - 지얀 섹션 보트 상자 설치 방법. - - - - IsExternal - Indication of whether the junction box type is allowed for exposure to outdoor elements (set TRUE where external exposure is allowed). - - - - - - - Is External - 外部露出 - 외부노출 - - - - ジャンクションボックスが外部露出の許可がされているかどうかを表示(外部露出が許可されている場合は設定)。 - 정션 박스 외부 노출의 허가가되어 있는지 여부를 표시 (외부 노출이 허용되는 경우 설정). - - - - IP_Code - IEC 60529 (1989) Classification of degrees of protection provided by enclosures (IP Code). - - - - - - - IP_ Code - 機密性エンクロージャ等級 - 기밀성 인클로저 등급 - - - - エンクロージャによる国際保護等級(IPコード)。 - 인클로저에 의한 국제 보호 등급 (IP 코드). - - - - - - ジャンクションボックスは中にケーブルが接続されているケース。 - IFC4にて新規。 - - - - - Pset_LampTypeCommon - A lamp is a component within a light fixture that is designed to emit light. - -History: Name changed from Pset_LampEmitterTypeCommon in IFC 2x3. - - - IfcLamp - - IfcLamp - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - 当該プロジェクトで定義する形式の参照ID(例:A-1)、承認された分類に存在しないときに使用される。 - 해당 프로젝트에 정의된 형식의 참조 ID (예 : A-1) 승인된 분류에 존재하지 않을 때 사용된다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - ContributedLuminousFlux - Luminous flux is a photometric measure of radiant flux, i.e. the volume of light emitted from a light source. Luminous flux is measured either for the interior as a whole or for a part of the interior (partial luminous flux for a solid angle). All other photometric parameters are derivatives of luminous flux. Luminous flux is measured in lumens (lm). The luminous flux is given as a nominal value for each lamp. - - - - - - - Contributed Luminous Flux - 光束 - 광속 - - - - 光束は放射束を光度測定したもので、たとえば、光源からの発光の量である。光束は全室内、または室内の一部(立体角の部分的な光束)で計測する。 -全ての光度測定の項目は高速の派生である。光束は単位ルーメンで計られる。光束は各ランプからの値で与えられる。 - 광속은 방사들을 광도 측정 것으로, 예를 들어, 광원에서 방출 양이다. 광속은 모든 실내, 실내 일부 (입체 각의 부분적인 광속)로 측정한다.모든 광도 측정 항목은 빠른 파생이다. 광속 단위 루멘으로 정해진다. 광속은 각 램프의 값으로 주어진다. - - - - LightEmitterNominalPower - Light emitter nominal power. - - - - - - - Light Emitter Nominal Power - 照明器具ワット数 - 조명기구 와트 - - - - 発光するための定格ワット数 - 발광하는 정격 와트 - - - - LampMaintenanceFactor - Non recoverable losses of luminous flux of a lamp due to lamp depreciation; i.e. the decreasing of light output of a luminaire due to aging and dirt. - - - - - - - Lamp Maintenance Factor - 保守率 - 보수 비율 - - - - 回復不可能な光量減少が原因の光源自体の光束の低下、たとえば照明器具の老朽化や汚れによる光量の減少。 - 복구할 수없는 광량 감소가 원인 광원 자체의 광속 저하, 예를 들어 조명기구의 노후화 및 오염에 의한 광량 감소. - - - - LampBallastType - The type of ballast used to stabilise gas discharge by limiting the current during operation and to deliver the necessary striking voltage for starting. Ballasts are needed to operate Discharge Lamps such as Fluorescent, Compact Fluorescent, High-pressure Mercury, Metal Halide and High-pressure Sodium Lamps. -Magnetic ballasts are chokes which limit the current passing through a lamp connected in series on the principle of self-induction. The resultant current and power are decisive for the efficient operation of the lamp. A specially designed ballast is required for every type of lamp to comply with lamp rating in terms of Luminous Flux, Color Appearance and service life. The two types of magnetic ballasts for fluorescent lamps are KVG Conventional (EC-A series) and VVG Low-loss ballasts (EC-B series). Low-loss ballasts have a higher efficiency, which means reduced ballast losses and a lower thermal load. Electronic ballasts are used to run fluorescent lamps at high frequencies (approx. 35 - 40 kHz). - - - - - - CONVENTIONAL - - Conventional - - - - - - - ELECTRONIC - - Electronic - - - - - - - LOWLOSS - - Low Loss - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - RESISTOR - Fixed or variable resistors. Fixed resistors are used with low-powered loads such as neon or LED. Variable are used in incandescent lamps. - - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Lamp Ballast Type - 安定期のタイプ - 안정기의 종류 - - - - 安定器は使用中の過電流を抑え、蛍光ランプの起動に必要な高い電圧を供給し、ガス放電を安定させる。安定器は蛍光灯、水銀灯、メタルハライドランプ、高圧ナトリウムランプ等の放電灯使用する時に必要となる。 -磁気式安定器はランプに流れる電流の制限のために、直列に接続された自己誘導の手法を用いている電流と出力から照明の効率運用の結果がわかる。 -特別な設計の安定器は全ての照明の光束、色の見え方、寿命の要求に答える。 -蛍光灯用の磁気式安定器にはKVG従来型とVVG省電力型の2種類がある。 -省電力型安定器は光効率で、安定器での損失の低減及び低熱負荷になっている。電子式安定器は蛍光灯を高周波で安定的に点灯させる。 - 안정기는 사용중인 서지를 억제하고, 형광 램프 시작하는 데 필요한 높은 전압을 공급하여 가스 방전을 안정시킨다. 안정기는 형광등, 수은등, 메탈 할라이드 램프, 고압 나트륨 램프 등의 방전등 사용 때 필요하다. 마그네틱 안정기는 램프에 흐르는 전류의 제한을 위해 직렬로 연결된 자기 유도 방법을 사용하는 전류 출력에서 조명 효율 운영 결과 알 수있다. 특별한 디자인의 안정기는 모든 조명의 광속, 색상의 외관 수명의 요구에 반응한다. 형광 등용 자기 식 안정기에 KVG 기존과 VVG 절전 형의 2 종류가있다. 에너지 절약형 안정기는 조명 효율에서 안정기의 손실 감소 및 낮은 열 부하되어있다. 전자식 안정기는 형광등 고주파에서 안정적으로 점등한다. - - - - LampCompensationType - Identifies the form of compensation used for power factor correction and radio suppression. - - - - - - CAPACITIVE - - Capacitive - - - - - - - INDUCTIVE - - Inductive - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Lamp Compensation Type - ランプ補正 - 램프보정 - - - - 力率の改善と高調波の抑制のために使用される補正 - - - - - ColorAppearance - In both the DIN and CIE standards, artificial light sources are classified in terms of their color appearance. To the human eye they all appear to be white; the difference can only be detected by direct comparison. Visual performance is not directly affected by differences in color appearance. - - - - - - - Color Appearance - 色の見え方 - 색상의 외관 - - - - DIN(ドイツ規格協会)とCIE(国際照明委員会)の両方の規格で、人工照明は色の見え方で分類される。 -人の目には全て白く見えてくる、その差異は直接比較することにより判別することが可能である。視機能は色の見え方の差異に直接影響はしない。 - - - - - Spectrum - The spectrum of radiation describes its composition with regard to wavelength. Light, for example, as the portion of electromagnetic radiation that is visible to the human eye, is radiation with wavelengths in the range of approx. 380 to 780 nm (1 nm = 10 m). The corresponding range of colours varies from violet to indigo, blue, green, yellow, orange, and red. These colours form a continuous spectrum, in which the various spectral sectors merge into each other. - - - - - - - - - - - - - Spectrum - 波長域 - 파장 - - - - 波長を考慮して合成することを放射スペクトルで表現する。 -光は可視の電磁波の一種で、訳380~780nmの範囲の波長の放射である。 -色の変化は紫から藍色、青、緑、黄色、オレンジ、赤の範囲に相当する。これらの色は連続する波長で、お互いに合成した波長領域である。 - - - - - ColorTemperature - The color temperature of any source of radiation is defined as the temperature (in Kelvin) of a black-body or Planckian radiator whose radiation has the same chromaticity as the source of radiation. Often the values are only approximate color temperatures as the black-body radiator cannot emit radiation of every chromaticity value. The color temperatures of the commonest artificial light sources range from less than 3000K (warm white) to 4000K (intermediate) and over 5000K (daylight). - - - - - - - Color Temperature - 色温度 - 색온도 - - - - 放射源の色温度は黒体、または完全放射体の色温度にて定義され、与えられた放射の色度と等しい黒体の温度のこと。与えられた放射の色度が黒体放射軌跡上にない場合に、相対分光分布を黒体放射に近似する。最も一般的な人工光源の色温度の範囲は、3000K以下(暖白)から4000K(中間)で、5000k以上は昼光。 - 방사 원의 색온도는 흑체 또는 흑체의 색온도에서 정의된 주어진 방사의 색도와 동일 흑체의 온도 것. 주어진 방사의 색도가 흑체 복사 궤적에없는 경우 상대 분광 분포를 흑체 복사에 근사한다. 가장 일반적인 인공 광원의 색온도 범위는 3000K 이하 (따뜻한 흰색)에서 4000K (중간)에서 5000k 이상은 일광. - - - - ColorRenderingIndex - The CRI indicates how well a light source renders eight standard colors compared to perfect reference lamp with the same color temperature. The CRI scale ranges from 1 to 100, with 100 representing perfect rendering properties. - - - - - - - Color Rendering Index - 演色評価数 - 연색 평가수 - - - - 同じ色温度の基準光源で、規定された8色の試験色票での光源による色彩の再表現を比較する。CRIの評価スケールは1~100で、基準光源の場合を100とする。 - 같은 색온도의 기준 광원으로 규정된 8 가지 시험 색 표의 광원에 의한 색채를 다시 표현을 비교한다. CRI의 평가 척도는 1에서 100에서 기준 광원의 경우 100로한다. - - - - - - ランプは光を発するように設計された照明器具の部品。 -IFC 2x3のPset_LampEmitterTypeCommonから名前が変更。 - - - - - Pset_LandRegistration - Specifies the identity of land within a statutory registration system. NOTE: The property LandTitleID is to be used in preference to deprecated attribute LandTitleNumber in IfcSite. - - - IfcSite - - IfcSite - - - LandID - Identification number assigned by the statutory registration authority to a land parcel. - - - - - - - Land ID - IdParcelle - 敷地ID - 부지 ID - - - - Identifiant numérique de la parcelle attribué par une autorité [NDT : exemple : DGI] - 登記における識別番号。 - 등기의 ID입니다. - - - - IsPermanentID - Indicates whether the identity assigned to a land parcel is permanent (= TRUE) or temporary (=FALSE). - - - - - - - Is Permanent ID - IdPermanent - 恒久ID区分 - 영구 ID 구분 - - - - Indique si l'identifiant est permanent (VRAI) ou non (FAUX) - 敷地IDが恒久的なものかどうかを示すブーリアン値。 - 부지 ID가 영구적인 것인지 여부를 나타내는 값입니다. - - - - LandTitleID - Identification number assigned by the statutory registration authority to the title to a land parcel. - - - - - - - Land Title ID - IdTitreParcelle - 敷地番号ID - 부지 번호 ID - - - - Identifiant numérique du titre de la parcelle attribué par une autorité. - 登記所による識別番号。 - 등기소의 ID입니다. - - - - - - Définition de l'IAI : spécifie l'identité de l'entité foncière attribué par une autorité. Nota : La propriété LandTitleID doit être utilisée de préférence à l'attribut LandTitleNumber de la classe IfcSite. - 敷地の登記システム上の識別情報に関するプロパティセット定義。備考:LandTitileIDプロパティは、IfcSite.LandTitleNumber属性が廃止されるのに伴い、優先的に使用される。 - - - - - Pset_LightFixtureTypeCommon - Common data for light fixtures. -History: IFC4 - Article number and manufacturer specific information deleted. Use Pset_ManufacturerTypeInformation. ArticleNumber instead. Load properties moved from Pset_LightFixtureTypeThermal (deleted). - - - IfcLightFixture - - IfcLightFixture - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - - - - 当該プロジェクトで定義する形式の参照ID(例:A-1)、承認された分類に存在しないときに使用される。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - NumberOfSources - Number of sources . - - - - - - - Number Of Sources - 電球数 - 전구수 - - - - 電球数。 - 전구수 - - - - TotalWattage - Wattage on whole lightfitting device with all sources intact. - - - - - - - Total Wattage - 総ワット数 - 총 와트 - - - - 全ての照明器具のワット数。 - 모든 조명기구 와트. - - - - LightFixtureMountingType - A list of the available types of mounting for light fixtures from which that required may be selected. - - - - CABLESPANNED - FREESTANDING - POLE_SIDE - POLE_TOP - RECESSED - SURFACE - SUSPENDED - TRACKMOUNTED - OTHER - NOTKNOWN - UNSET - - - - CABLESPANNED - - Cable Spanned - - - - - - - FREESTANDING - - Freestanding - - - - - - - POLE_SIDE - - Pole Side - - - - - - - POLE_TOP - - Pole Top - - - - - - - RECESSED - - Recessed - - - - - - - SURFACE - - Surface - - - - - - - SUSPENDED - - Suspended - - - - - - - TRACKMOUNTED - - Track Mounted - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Light Fixture Mounting Type - 照明器具取付方法 - 조명기구 설치방법 - - - - 照明器具の取付方法をリストから選択。 - 조명기구의 설치 방법을 목록에서 선택합니다. - - - - LightFixturePlacingType - A list of the available types of placing specification for light fixtures from which that required may be selected. - - - - CEILING - FLOOR - FURNITURE - POLE - WALL - OTHER - NOTKNOWN - UNSET - - - - CEILING - - Ceiling - - - - - - - FLOOR - - Floor - - - - - - - FURNITURE - - Furniture - - - - - - - POLE - - Pole - - - - - - - WALL - - Wall - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Light Fixture Placing Type - 照明器具取付場所 - 조명기구 설치 장소 - - - - 照明器具の取付場所をリストから選択。 - 조명기구의 설치 장소를 목록에서 선택합니다. - - - - MaintenanceFactor - The arithmetical allowance made for depreciation of lamps and reflective equipment from their initial values due to dirt, fumes, or age. - - - - - - - Maintenance Factor - 保守率 - 보수 비율 - - - - 汚れ、煙、年数による初期からのランプや反射装置の低減許容計算。 - 먼지, 연기, 연수의 초기부터 램프와 반사 장치의 저감 허용 계산. - - - - MaximumPlenumSensibleLoad - Maximum or Peak sensible thermal load contributed to return air plenum by the light fixture. - - - - - - - Maximum Plenum Sensible Load - - - - - - - MaximumSpaceSensibleLoad - Maximum or Peak sensible thermal load contributed to the conditioned space by the light fixture. - - - - - - - Maximum Space Sensible Load - - - - - - - SensibleLoadToRadiant - Percent of sensible thermal load to radiant heat. - - - - - - - Sensible Load To Radiant - - - - - - - - - 照明器具の共通データ。 -IFC4でArticleNumberは削除されました。代わりにPset_ManufacturerTypeInformationを使用してください。 - - - - - Pset_LightFixtureTypeSecurityLighting - Properties that characterize security lighting. - - - IfcLightFixture/SECURITYLIGHTING - - IfcLightFixture/SECURITYLIGHTING - - - SecurityLightingType - The type of security lighting. - - - - SAFETYLIGHT - WARNINGLIGHT - EMERGENCYEXITLIGHT - BLUEILLUMINATION - OTHER - NOTKNOWN - UNSET - - - - SAFETYLIGHT - - Safety Light - - - - - - - WARNINGLIGHT - - Warning Light - - - - - - - EMERGENCYEXITLIGHT - - Emergency Exit Light - - - - - - - BLUEILLUMINATION - - Blue Illumination - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Security Lighting Type - 防犯灯 - 방범등 - - - - 防犯灯のタイプ。 - 방범등 유형 - - - - FixtureHeight - The height of the fixture, such as the text height of an exit sign. - - - - - - - Fixture Height - 器具の高さ - 기구의 높이 - - - - 出口標識などの器具の高さ。 - 출구 표지판 등의기구의 높이 - - - - SelfTestFunction - The type of self test function. - - - - CENTRAL - LOCAL - NONE - OTHER - NOTKNOWN - UNSET - - - - CENTRAL - - Central - - - - - - - LOCAL - - Local - - - - - - - NONE - - None - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Self Test Function - 自己診断機能 - 자기 진단 기능 - - - - 自己診断機能のタイプ。 - 자기 진단 기능의 유형 - - - - BackupSupplySystem - The type of backup supply system. - - - - LOCALBATTERY - CENTRALBATTERY - OTHER - NOTKNOWN - UNSET - - - - LOCALBATTERY - - Local Battery - - - - - - - CENTRALBATTERY - - Central Battery - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Backup Supply System - 電源バックアップシステム - 전원백업 시스템 - - - - 電源バックアップシステムのタイプ。 - 전원 백업 시스템 유형 - - - - PictogramEscapeDirection - The direction of escape pictogram. - - - - RIGHTARROW - LEFTARROW - DOWNARROW - UPARROW - OTHER - NOTKNOWN - UNSET - - - - RIGHTARROW - - Right Arrow - - - - - - - LEFTARROW - - Left Arrow - - - - - - - DOWNARROW - - Down Arrow - - - - - - - UPARROW - - Up Arrow - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Pictogram Escape Direction - 避難標識の向き - 피난 표지판 방향 - - - - 避難標識の向き。 - 피난 표지판 방향 - - - - Addressablility - The type of addressability. - - - - IMPLEMENTED - UPGRADEABLETO - NOTIMPLEMENTED - OTHER - NOTKNOWN - UNSET - - - - IMPLEMENTED - - Implemented - - - - - - - UPGRADEABLETO - - Upgradeable To - - - - - - - NOTIMPLEMENTED - - Not Implemented - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Addressablility - アドレス指定能力 - 주소 지정 능력 - - - - アドレス指定能力のタイプ。 - 주소 지정 능력 타입 - - - - - - 防犯灯の特徴プロパティ。 - - - - - Pset_ManufacturerOccurrence - Defines properties of individual instances of manufactured products that may be given by the manufacturer. -HISTORY: IFC 2x4: AssemblyPlace property added. This property does not need to be asserted if Pset_ManufacturerTypeInformation is allocated to the type and the AssemblyPlace property is asserted there. - - - IfcElement - - IfcElement - - - AcquisitionDate - The date that the manufactured item was purchased. - - - - - - - Acquisition Date - - - - - - - BarCode - The identity of the bar code given to an occurrence of the product. - - - - - - - Bar Code - - - - - - - SerialNumber - The serial number assigned to an occurrence of a product. - - - - - - - Serial Number - - - - - - - BatchReference - The identity of the batch reference from which an occurrence of a product is taken. - - - - - - - Batch Reference - - - - - - - AssemblyPlace - Enumeration defining where the assembly is intended to take place, either in a factory, other offsite location or on the building site. - - - - FACTORY - OFFSITE - SITE - OTHER - NOTKNOWN - UNSET - - - - FACTORY - - Factory - - - - - - - OFFSITE - - Offsite - - - - - - - SITE - - Site - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Assembly Place - - - - - - - - - - - - - Pset_ManufacturerTypeInformation - Defines characteristics of types (ranges) of manufactured products that may be given by the manufacturer. Note that the term 'manufactured' may also be used to refer to products that are supplied and identified by the supplier or that are assembled off site by a third party provider. -HISTORY: This property set replaces the entity IfcManufacturerInformation from previous IFC releases. IFC 2x4: AssemblyPlace property added. - - - IfcElement - - IfcElement - - - GlobalTradeItemNumber - The Global Trade Item Number (GTIN) is an identifier for trade items developed by GS1 (www.gs1.org). - - - - - - - Global Trade Item Number - - - - - - - ArticleNumber - Article number or reference that is be applied to a configured product according to a standard scheme for article number definition as defined by the manufacturer. It is often used as the purchasing number. - - - - - - - Article Number - - - - - - - ModelReference - The model number or designator of the product model (or product line) as assigned by the manufacturer of the manufactured item. - - - - - - - Model Reference - - - - - - - ModelLabel - The descriptive model name of the product model (or product line) as assigned by the manufacturer of the manufactured item. - - - - - - - Model Label - - - - - - - Manufacturer - The organization that manufactured and/or assembled the item. - - - - - - - Manufacturer - - - - - - - ProductionYear - The year of production of the manufactured item. - - - - - - - Production Year - - - - - - - AssemblyPlace - Enumeration defining where the assembly is intended to take place, either in a factory or on the building site. - - - - FACTORY - OFFSITE - SITE - OTHER - NOTKNOWN - UNSET - - - - FACTORY - - Factory - - - - - - - OFFSITE - - Offsite - - - - - - - SITE - - Site - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Assembly Place - - - - - - - - - - - - - Pset_MaterialCombustion - A set of extended material properties of products of combustion generated by elements typically used within the context of building services and flow distribution systems. - - - IfcMaterial - - IfcMaterial - - - SpecificHeatCapacity - Specific heat of the products of combustion: heat energy absorbed per temperature unit. - - - - - - - Specific Heat Capacity - - - - - - - N20Content - Nitrous oxide (N2O) content of the products of combustion. This is measured in weight of N2O per unit weight and is therefore unitless. - - - - - - - N20 Content - - - - - - - COContent - Carbon monoxide (CO) content of the products of combustion. This is measured in weight of CO per unit weight and is therefore unitless. - - - - - - - COContent - - - - - - - CO2Content - Carbon dioxide (CO2) content of the products of combustion. This is measured in weight of CO2 per unit weight and is therefore unitless. - - - - - - - CO2 Content - - - - - - - - - - - - - Pset_MaterialCommon - A set of general material properties. - - - IfcMaterial - - IfcMaterial - - - MolecularWeight - Molecular weight of material (typically gas). - - - - - - - Molecular Weight - - - - - - - Porosity - The void fraction of the total volume occupied by material (Vbr - Vnet)/Vbr. - - - - - - - Porosity - - - - - - - MassDensity - Material mass density. - - - - - - - Mass Density - - - - - - - - - - - - - Pset_MaterialConcrete - A set of extended mechanical properties related to concrete materials. - - - IfcMaterial/Concrete - - IfcMaterial/Concrete - - - CompressiveStrength - The compressive strength of the concrete. - - - - - - - Compressive Strength - - - - - - - MaxAggregateSize - The maximum aggregate size of the concrete. - - - - - - - Max Aggregate Size - - - - - - - AdmixturesDescription - Description of the admixtures added to the concrete mix. - - - - - - - Admixtures Description - - - - - - - Workability - Description of the workability of the fresh concrete defined according to local standards. - - - - - - - Workability - - - - - - - WaterImpermeability - Description of the water impermeability denoting the water repelling properties. - - - - - - - Water Impermeability - - - - - - - ProtectivePoreRatio - The protective pore ratio indicating the frost-resistance of the concrete. - - - - - - - Protective Pore Ratio - - - - - - - - - - - - - Pset_MaterialEnergy - A set of extended material properties for energy calculation purposes. - - - IfcMaterial - - IfcMaterial - - - ViscosityTemperatureDerivative - Viscosity temperature derivative. - - - - - - - Viscosity Temperature Derivative - - - - - - - MoistureCapacityThermalGradient - Thermal gradient coefficient for moisture capacity. Based on water vapor density. - - - - - - - Moisture Capacity Thermal Gradient - - - - - - - ThermalConductivityTemperatureDerivative - Thermal conductivity temperature derivative. - - - - - - - Thermal Conductivity Temperature Derivative - - - - - - - SpecificHeatTemperatureDerivative - Specific heat temperature derivative. - - - - - - - Specific Heat Temperature Derivative - - - - - - - VisibleRefractionIndex - Index of refraction (visible) defines the "bending" of the sola! r ray in the visible spectrum when it passes from one medium into another. - - - - - - - Visible Refraction Index - - - - - - - SolarRefractionIndex - Index of refraction (solar) defines the "bending" of the solar ray when it passes from one medium into another. - - - - - - - Solar Refraction Index - - - - - - - GasPressure - Fill pressure (e.g. for between-pane gas fills): the pressure exerted by a mass of gas confined in a constant volume. - - - - - - - Gas Pressure - - - - - - - - - - - - - Pset_MaterialFuel - A set of extended material properties of fuel energy typically used within the context of building services and flow distribution systems. - - - IfcMaterial - - IfcMaterial - - - CombustionTemperature - Combustion temperature of the material when air is at 298 K and 100 kPa. - - - - - - - Combustion Temperature - - - - - - - CarbonContent - The carbon content in the fuel. This is measured in weight of carbon per unit weight of fuel and is therefore unitless. - - - - - - - Carbon Content - - - - - - - LowerHeatingValue - Lower Heating Value is defined as the amount of energy released (MJ/kg) when a fuel is burned completely, and H2O is in vapor form in the combustion products. - - - - - - - Lower Heating Value - - - - - - - HigherHeatingValue - Higher Heating Value is defined as the amount of energy released (MJ/kg) when a fuel is burned completely, and H2O is in liquid form in the combustion products. - - - - - - - Higher Heating Value - - - - - - - - - - - - - Pset_MaterialHygroscopic - A set of hygroscopic properties of materials. - - - IfcMaterial - - IfcMaterial - - - UpperVaporResistanceFactor - The vapor permeability relationship of air/material (typically value > 1), measured in high relative humidity (typically in 95/50 % RH). - - - - - - - Upper Vapor Resistance Factor - - - - - - - LowerVaporResistanceFactor - The vapor permeability relationship of air/material (typically value > 1), measured in low relative humidity (typically in 0/50 % RH). - - - - - - - Lower Vapor Resistance Factor - - - - - - - IsothermalMoistureCapacity - Based on water vapor density. - - - - - - - Isothermal Moisture Capacity - - - - - - - VaporPermeability - The rate of water vapor transmission per unit area per unit of vapor pressure differential under test conditions. - - - - - - - Vapor Permeability - - - - - - - MoistureDiffusivity - Moisture diffusivity is a transport property that is frequently used in the hygrothermal analysis of building envelope components. - - - - - - - Moisture Diffusivity - - - - - - - - - - - - - Pset_MaterialMechanical - A set of mechanical material properties normally used for structural analysis purpose. It contains all properties which are independent of the actual material type. - - - IfcMaterial - - IfcMaterial - - - DynamicViscosity - A measure of the viscous resistance of the material. - - - - - - - Dynamic Viscosity - - - - - - - YoungModulus - A measure of the Young's modulus of elasticity of the material. - - - - - - - Young Modulus - - - - - - - ShearModulus - A measure of the shear modulus of elasticity of the material. - - - - - - - Shear Modulus - - - - - - - PoissonRatio - A measure of the lateral deformations in the elastic range. - - - - - - - Poisson Ratio - - - - - - - ThermalExpansionCoefficient - A measure of the expansion coefficient for warming up the material about one Kelvin. - - - - - - - Thermal Expansion Coefficient - - - - - - - - - - - - - Pset_MaterialOptical - A set of optical properties of materials. - - - IfcMaterial - - IfcMaterial - - - VisibleTransmittance - Transmittance at normal incidence (visible). Defines the fraction of the visible spectrum of solar radiation that passes through per unit area, perpendicular to the surface. - - - - - - - Visible Transmittance - - - - - - - SolarTransmittance - Transmittance at normal incidence (solar). Defines the fraction of solar radiation that passes through per unit area, perpendicular to the surface. - - - - - - - Solar Transmittance - - - - - - - ThermalIrTransmittance - Thermal IR transmittance at normal incidence. Defines the fraction of thermal energy that passes through per unit area, perpendicular to the surface. - - - - - - - Thermal Ir Transmittance - - - - - - - ThermalIrEmissivityBack - Thermal IR emissivity: back side. Defines the fraction of thermal energy emitted per unit area to "blackbody" at the same temperature, through the "back" side of the material. - - - - - - - Thermal Ir Emissivity Back - - - - - - - ThermalIrEmissivityFront - Thermal IR emissivity: front side. Defines the fraction of thermal energy emitted per unit area to "blackbody" at the same temperature, through the "front" side of the material. - - - - - - - Thermal Ir Emissivity Front - - - - - - - VisibleReflectanceBack - Reflectance at normal incidence (visible): back side. Defines the fraction of the solar ray in the visible spectrum that is reflected and not transmitted when the ray passes from one medium into another, at the "back" side of the other material, perpendicular to the surface. Dependent on material and surface characteristics. - - - - - - - Visible Reflectance Back - - - - - - - VisibleReflectanceFront - Reflectance at normal incidence (visible): front side. Defines the fraction of the solar ray in the visible spectrum that is reflected and not transmitted when the ray passes from one medium into another, at the "front" side of the other material, perpendicular to the surface. Dependent on material and surface characteristics. - - - - - - - Visible Reflectance Front - - - - - - - SolarReflectanceBack - Reflectance at normal incidence (solar): back side. Defines the fraction of the solar ray that is reflected and not transmitted when the ray passes from one medium into another, at the "back" side of the other material, perpendicular to the surface. Dependent on material and surface characteristics. - - - - - - - Solar Reflectance Back - - - - - - - SolarReflectanceFront - Reflectance at normal incidence (solar): front side. Defines the fraction of the solar ray that is reflected and not transmitted when the ray passes from one medium into another, at the "front" side of the other material, perpendicular to the surface. Dependent on material and surface characteristics. - - - - - - - Solar Reflectance Front - - - - - - - - - - - - - Pset_MaterialSteel - A set of extended mechanical properties related to steel (or other metallic and isotropic) materials. - - - IfcMaterial/Steel - - IfcMaterial/Steel - - - YieldStress - A measure of the yield stress (or characteristic 0.2 percent proof stress) of the material. - - - - - - - Yield Stress - - - - - - - UltimateStress - A measure of the ultimate stress of the material. - - - - - - - Ultimate Stress - - - - - - - UltimateStrain - A measure of the (engineering) strain at the state of ultimate stress of the material. - - - - - - - Ultimate Strain - - - - - - - HardeningModule - A measure of the hardening module of the material (slope of stress versus strain curve after yield range). - - - - - - - Hardening Module - - - - - - - ProportionalStress - A measure of the proportional stress of the material. It describes the stress before the first plastic deformation occurs and is commonly measured at a deformation of 0.01%. - - - - - - - Proportional Stress - - - - - - - PlasticStrain - A measure of the permanent displacement, as in slip or twinning, which remains after the stress has been removed. Currently applied to a strain of 0.2% proportional stress of the material. - - - - - - - Plastic Strain - - - - - - - Relaxations - Measures of decrease in stress over long time intervals resulting from plastic flow. Different relaxation values for different initial stress levels for a material may be given. It describes the time dependent relative relaxation value for a given initial stress level at constant strain. -Relating values are the "RelaxationValue". Related values are the "InitialStress" - - - - - - - - - - - - - Relaxations - - - - - - - - - - - - - Pset_MaterialThermal - A set of thermal material properties. - - - IfcMaterial - - IfcMaterial - - - SpecificHeatCapacity - Defines the specific heat of the material: heat energy absorbed per temperature unit. - - - - - - - Specific Heat Capacity - - - - - - - BoilingPoint - The boiling point of the material (fluid). - - - - - - - Boiling Point - - - - - - - FreezingPoint - The freezing point of the material (fluid). - - - - - - - Freezing Point - - - - - - - ThermalConductivity - The rate at which thermal energy is transmitted through the material. - - - - - - - Thermal Conductivity - - - - - - - - - - - - - Pset_MaterialWater - A set of extended material properties for of water typically used within the context of building services and flow distribution systems. - - - IfcMaterial - - IfcMaterial - - - IsPotable - If TRUE, then the water is considered potable. - - - - - - - Is Potable - - - - - - - Hardness - Water hardness as positive, multivalent ion concentration in the water (usually concentrations of calcium and magnesium ions in terms of calcium carbonate). - - - - - - - Hardness - - - - - - - AlkalinityConcentration - Maximum alkalinity concentration (maximum sum of concentrations of each of the negative ions substances measured as CaCO3). - - - - - - - Alkalinity Concentration - - - - - - - AcidityConcentration - Maximum CaCO3 equivalent that would neutralize the acid. - - - - - - - Acidity Concentration - - - - - - - ImpuritiesContent - Fraction of impurities such as dust to the total amount of water. This is measured in weight of impurities per weight of water and is therefore unitless. - - - - - - - Impurities Content - - - - - - - DissolvedSolidsContent - Fraction of the dissolved solids to the total amount of water. This is measured in weight of dissolved solids per weight of water and is therefore unitless. - - - - - - - Dissolved Solids Content - - - - - - - PHLevel - Maximum water PH in a range from 0-14. - - - - - - - PHLevel - - - - - - - - - - - - - Pset_MaterialWood - This is a collection of properties applicable to wood-based materials that specify kind and grade of material as well as moisture related parameters. - - - IfcMaterial/Wood - - IfcMaterial/Wood - - - Species - Wood species of a solid wood or laminated wood product. - - - - - - - Species - - - - - - - StrengthGrade - Grade with respect to mechanical strength and stiffness. - - - - - - - Strength Grade - - - - - - - AppearanceGrade - Grade with respect to visual quality. - - - - - - - Appearance Grade - - - - - - - Layup - Configuration of the lamination. - - - - - - - Layup - - - - - - - Layers - Number of layers. - - - - - - - Layers - - - - - - - Plies - Number of plies. - - - - - - - Plies - - - - - - - MoistureContent - Total weight of moisture relative to oven-dried weight of the wood. - - - - - - - Moisture Content - - - - - - - DimensionalChangeCoefficient - Weighted dimensional change coefficient, relative to 1% change in moisture content. - - - - - - - Dimensional Change Coefficient - - - - - - - ThicknessSwelling - Swelling ratio relative to board depth. - - - - - - - Thickness Swelling - - - - - - - - - - - - - Pset_MaterialWoodBasedBeam - This is a collection of mechanical properties applicable to wood-based materials for beam-like products, especially laminated materials like glulam and LVL. -Anisotropy of such materials is taken into account by different properties according to grain direction and load types. - -All values shall be given for a standardized service condition, a standardized load duration and a standardized reference size of the member according to local design codes. - -NOTE: In cases where mechanical material properties are graduated for different given reference sizes, separate instances of IfcExtendedMaterialProperties and IfcMaterial have to be used for each required graduation. Mechanically differing versions of a material are treated as different materials. - -References to the orientation of grain or lay-up correspond to material orientation given by geometrical or topological representation of element objects or types, especially IfcMemberType and IfcStructuralMember. - - - IfcMaterial/Wood - - IfcMaterial/Wood - - - ApplicableStructuralDesignMethod - Determines whether mechanical material properties are applicable to 'ASD' = allowable stress design (working stress design), 'LSD' = limit state design, or 'LRFD' = load and resistance factor design. - - - - - - - Applicable Structural Design Method - - - - - - - InPlane - Mechanical properties with respect to in-plane load, i.e. bending about the strong axis; tension zone of unbalanced layups is stressed in tension. - - - - YoungModulus - Elastic modulus, mean value, α=0°. - - - - - - - - - - YoungModulusMin - Elastic modulus, minimal value, α=0°. - - - - - - - - - - YoungModulusPerp - Elastic modulus, mean value, α=90°. - - - - - - - - - - YoungModulusPerpMin - Elastic modulus, minimal value, α=90°. - - - - - - - - - - ShearModulus - Shear modulus, mean value. - - - - - - - - - - ShearModulusMin - Shear modulus, minimal value. - - - - - - - - - - BendingStrength - Bending strength. - - - - - - - - - - TensileStrength - Tensile strength, α=0°. - - - - - - - - - - TensileStrengthPerp - Tensile strength, α=90°. - - - - - - - - - - CompStrength - Compressive strength, α=0°. - - - - - - - - - - CompStrengthPerp - Compressive strength, α=90°. - - - - - - - - - - RaisedCompStrengthPerp - Alternative value for compressive strength, α=90°, which may be used under material and code dependent conditions (e.g. if deformation is tolerable, or far from ends of the member); conditions should be stated in SELF\IfcProperty.Description. - - - - - - - - - - ShearStrength - Shear strength. - - - - - - - - - - TorsionalStrength - Shear strength in torsion. - - - - - - - - - - ReferenceDepth - Depth in bending for which the mechanical properties are valid; provided as a means to check the integrity of material assignment. - - - - - - - - - - InstabilityFactors - Defining values: slenderness ratios; defined values: either factors or divisors of the strength, depending on the design method (if <1: factors, if >1: divisors). - - - - - - - - - - - - - - - - - - In Plane - - - - - - - InPlaneNegative - Mechanical properties with respect to in-plane load, i.e. bending about the strong axis; compression zone of unbalanced layups is stressed in tension. - - - - YoungModulus - Elastic modulus, mean value, α=0°. - - - - - - - - - - YoungModulusMin - Elastic modulus, minimal value, α=0°. - - - - - - - - - - YoungModulusPerp - Elastic modulus, mean value, α=90°. - - - - - - - - - - YoungModulusPerpMin - Elastic modulus, minimal value, α=90°. - - - - - - - - - - ShearModulus - Shear modulus, mean value. - - - - - - - - - - ShearModulusMin - Shear modulus, minimal value. - - - - - - - - - - BendingStrength - Bending strength. - - - - - - - - - - TensileStrength - Tensile strength, α=0°. - - - - - - - - - - TensileStrengthPerp - Tensile strength, α=90°. - - - - - - - - - - CompStrength - Compressive strength, α=0°. - - - - - - - - - - CompStrengthPerp - Compressive strength, α=90°. - - - - - - - - - - RaisedCompStrengthPerp - Alternative value for compressive strength, α=90°, which may be used under material and code dependent conditions (e.g. if deformation is tolerable, or far from ends of the member); conditions should be stated in SELF\IfcProperty.Description. - - - - - - - - - - ShearStrength - Shear strength. - - - - - - - - - - TorsionalStrength - Shear strength in torsion. - - - - - - - - - - ReferenceDepth - Depth in bending for which the mechanical properties are valid; provided as a means to check the integrity of material assignment. - - - - - - - - - - InstabilityFactors - Defining values: slenderness ratios; defined values: either factors or divisors of the strength, depending on the design method (if <1: factors, if >1: divisors). - - - - - - - - - - - - - - - - - - In Plane Negative - - - - - - - OutOfPlane - Mechanical properties with respect to out-of-plane load, i.e. bending about the weak axis. - - - - YoungModulus - Elastic modulus, mean value, α=0°. - - - - - - - - - - YoungModulusMin - Elastic modulus, minimal value, α=0°. - - - - - - - - - - YoungModulusPerp - Elastic modulus, mean value, α=90°. - - - - - - - - - - YoungModulusPerpMin - Elastic modulus, minimal value, α=90°. - - - - - - - - - - ShearModulus - Shear modulus, mean value. - - - - - - - - - - ShearModulusMin - Shear modulus, minimal value. - - - - - - - - - - BendingStrength - Bending strength. - - - - - - - - - - TensileStrength - Tensile strength, α=0°. - - - - - - - - - - TensileStrengthPerp - Tensile strength, α=90°. - - - - - - - - - - CompStrength - Compressive strength, α=0°. - - - - - - - - - - CompStrengthPerp - Compressive strength, α=90°. - - - - - - - - - - RaisedCompStrengthPerp - Alternative value for compressive strength, α=90°, which may be used under material and code dependent conditions (e.g. if deformation is tolerable, or far from ends of the member); conditions should be stated in SELF\IfcProperty.Description. - - - - - - - - - - ShearStrength - Shear strength. - - - - - - - - - - TorsionalStrength - Shear strength in torsion. - - - - - - - - - - ReferenceDepth - Depth in bending for which the mechanical properties are valid; provided as a means to check the integrity of material assignment. - - - - - - - - - - InstabilityFactors - Defining values: slenderness ratios; defined values: either factors or divisors of the strength, depending on the design method (if <1: factors, if >1: divisors). - - - - - - - - - - - - - - - - - - Out Of Plane - - - - - - - - - - - - - Pset_MaterialWoodBasedPanel - This is a collection of mechanical properties related to wood-based materials for panel-like products like plywood or OSB. The propositions given above for wood-based beam materials with respect to anisotropy, strength graduation according to element sizes (especially panel thickness) apply accordingly. - - - IfcMaterial/Wood - - IfcMaterial/Wood - - - ApplicableStructuralDesignMethod - Determines whether mechanical material properties are applicable to 'ASD' = allowable stress design (working stress design), 'LSD' = limit state design, or 'LRFD' = load and resistance factor design. - - - - - - - Applicable Structural Design Method - - - - - - - InPlane - Mechanical properties with respect to in-plane load, i.e. for function as a membrane. - - - - YoungModulusBending - Defining values: α; defined values: elastic modulus in bending. - - - - - - - - - - - - - - - - YoungModulusTension - Defining values: α; defined values: elastic modulus in tension. - - - - - - - - - - - - - - - - YoungModulusCompression - Elastic modulus in compression. - - - - - - - - - - ShearModulus - Shear modulus. - - - - - - - - - - BendingStrength - Defining values: α; defined values: bending strength. - - - - - - - - - - - - - - - - CompressiveStrength - Defining values: α; defined values: compressive strength. - - - - - - - - - - - - - - - - TensileStrength - Defining values: α; defined values: tensile strength. - - - - - - - - - - - - - - - - ShearStrength - Defining values: α; defined values: shear strength. - - - - - - - - - - - - - - - - BearingStrength - Defining values: α; defined values: bearing strength of bolt holes, i.e. intrados pressure. - - - - - - - - - - - - - - - - RaisedCompressiveStrength - Alternative value for compressive strength which may be used under material and code dependent conditions (e.g. if deformation is tolerable, or far from ends of the member); conditions should be stated in SELF\IfcProperty.Description. - - - - - - - - - - ReferenceDepth - Depth in bending for which the mechanical properties are valid; provided as a means to check the integrity of material assignment. - - - - - - - - - - - - In Plane - - - - - - - OutOfPlane - Mechanical properties with respect to out-of-plane load, i.e. for function as a plate; tension zone of unbalanced layups is stressed in tension. - - - - YoungModulusBending - Defining values: α; defined values: elastic modulus in bending. - - - - - - - - - - - - - - - - YoungModulusTension - Defining values: α; defined values: elastic modulus in tension. - - - - - - - - - - - - - - - - YoungModulusCompression - Elastic modulus in compression. - - - - - - - - - - ShearModulus - Shear modulus. - - - - - - - - - - BendingStrength - Defining values: α; defined values: bending strength. - - - - - - - - - - - - - - - - CompressiveStrength - Defining values: α; defined values: compressive strength. - - - - - - - - - - - - - - - - TensileStrength - Defining values: α; defined values: tensile strength. - - - - - - - - - - - - - - - - ShearStrength - Defining values: α; defined values: shear strength. - - - - - - - - - - - - - - - - BearingStrength - Defining values: α; defined values: bearing strength of bolt holes, i.e. intrados pressure. - - - - - - - - - - - - - - - - RaisedCompressiveStrength - Alternative value for compressive strength which may be used under material and code dependent conditions (e.g. if deformation is tolerable, or far from ends of the member); conditions should be stated in SELF\IfcProperty.Description. - - - - - - - - - - ReferenceDepth - Depth in bending for which the mechanical properties are valid; provided as a means to check the integrity of material assignment. - - - - - - - - - - - - Out Of Plane - - - - - - - OutOfPlaneNegative - Mechanical properties with respect to out-of-plane load i.e. for function as a plate; compression zone of unbalanced layups is stressed in tension. - - - - YoungModulusBending - Defining values: α; defined values: elastic modulus in bending. - - - - - - - - - - - - - - - - YoungModulusTension - Defining values: α; defined values: elastic modulus in tension. - - - - - - - - - - - - - - - - YoungModulusCompression - Elastic modulus in compression. - - - - - - - - - - ShearModulus - Shear modulus. - - - - - - - - - - BendingStrength - Defining values: α; defined values: bending strength. - - - - - - - - - - - - - - - - CompressiveStrength - Defining values: α; defined values: compressive strength. - - - - - - - - - - - - - - - - TensileStrength - Defining values: α; defined values: tensile strength. - - - - - - - - - - - - - - - - ShearStrength - Defining values: α; defined values: shear strength. - - - - - - - - - - - - - - - - BearingStrength - Defining values: α; defined values: bearing strength of bolt holes, i.e. intrados pressure. - - - - - - - - - - - - - - - - RaisedCompressiveStrength - Alternative value for compressive strength which may be used under material and code dependent conditions (e.g. if deformation is tolerable, or far from ends of the member); conditions should be stated in SELF\IfcProperty.Description. - - - - - - - - - - ReferenceDepth - Depth in bending for which the mechanical properties are valid; provided as a means to check the integrity of material assignment. - - - - - - - - - - - - Out Of Plane Negative - - - - - - - - - - - - - Pset_MechanicalFastenerAnchorBolt - Properties common to different types of anchor bolts. - - - IfcMechanicalFastener/ANCHORBOLT - - IfcMechanicalFastener/ANCHORBOLT - - - AnchorBoltLength - The length of the anchor bolt. - - - - - - - Anchor Bolt Length - 長さ - 길이 - - - - アンカーボルトの長さ。 - 앵커 볼트의 길이 - - - - AnchorBoltDiameter - The nominal diameter of the anchor bolt bar(s). - - - - - - - Anchor Bolt Diameter - 直径 - 지름 - - - - アンカーボルトの直径。 - 앵커 볼트의 공칭 직경 - - - - AnchorBoltThreadLength - The length of the threaded part of the anchor bolt. - - - - - - - Anchor Bolt Thread Length - 나사부 길이 - - - - 앵커 볼트의 나사 부분의 길이 - - - - AnchorBoltProtrusionLength - The length of the protruding part of the anchor bolt. - - - - - - - Anchor Bolt Protrusion Length - 돌출부 길이 - - - - 앵커 볼트의 돌출 부분의 길이 - - - - - - アンカーボルトの共通プロパティ。 - - - - - Pset_MechanicalFastenerBolt - Properties related to bolt-type fasteners. The properties of a whole set with bolt, washers and nut may be provided. Note, it is usually not necessary to transmit these properties in case of standardized bolts. Instead, the standard is referred to. - - - IfcMechanicalFastener/BOLT - - IfcMechanicalFastener/BOLT - - - ThreadDiameter - Nominal diameter of the thread, if different from the bolt's overall nominal diameter - - - - - - - Thread Diameter - - - - - - - ThreadLength - Nominal length of the thread - - - - - - - Thread Length - - - - - - - NutsCount - Count of nuts to be mounted on one bolt - - - - - - - Nuts Count - - - - - - - WashersCount - Count of washers to be mounted on one bolt - - - - - - - Washers Count - - - - - - - HeadShape - Shape of the bolt's head, e.g. 'Hexagon', 'Countersunk', 'Cheese' - - - - - - - Head Shape - - - - - - - KeyShape - If applicable, shape of the head's slot, e.g. 'Slot', 'Allen' - - - - - - - Key Shape - - - - - - - NutShape - Shape of the nut, e.g. 'Hexagon', 'Cap', 'Castle', 'Wing' - - - - - - - Nut Shape - - - - - - - WasherShape - Shape of the washers, e.g. 'Standard', 'Square' - - - - - - - Washer Shape - - - - - - - - - - - - - Pset_MedicalDeviceTypeCommon - Medical device type common attributes. - - - IfcMedicalDevice - - IfcMedicalDevice - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - 医療機器に関する共通プロパティ属性設定。 - - - - - Pset_MemberCommon - Properties common to the definition of all occurrences of IfcMember. - - - IfcMember - - IfcMember - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Bauteiltyp - Reference - Reference - 参照記号 - 参考号 - - - Bezeichnung zur Zusammenfassung gleichartiger Bauteile zu einem Bauteiltyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1") pour désigner un "type de construction". Une alternative au nom d'un objet type lorsque les objets types ne sont pas gérés par le logiciel. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 若未采用已知的分类系统,则该属性为该项目中该类型构件的参考编号(例如,类型A-1)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - Span - Clear span for this object. -The shape information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the shape properties, provided in the attached property, the geometric parameters take precedence. - - - - - - - Spannweite - Span - PorteeLibre - 全長 - 跨度 - - - German-description-2 - - Portée libre. Cette propriété est donnée en complément de la représentation de la forme de l'élément et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. - このオブジェクトの全長。 - 该对象的净跨度。 -该属性所提供的形状信息是对内部形状描述和几何参数的补充。如果几何参数与该属性所提供的形状属性不符,应以几何参数为准。对CAD等几何编辑程序,该属性应为只写类型。 - - - - Slope - Slope angle - relative to horizontal (0.0 degrees). -The shape information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the shape properties, provided in the attached property, the geometric parameters take precedence. - - - - - - - Neigungswinkel - Slope - Inclinaison - 傾斜 - 坡度 - - - German-description-3 - - Angle d'inclinaison avec l'horizontale (0 degrés). Cette propriété est donnée en complément de la représentation de la forme de l'élément et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. - 傾斜角度。水平を0度とする。 - 相对于水平(0.0度)方向的坡度角。 -该属性所提供的形状信息是对内部形状描述和几何参数的补充。如果几何参数与该属性所提供的形状属性不符,应以几何参数为准。对CAD等几何编辑程序,该属性应为只写类型。 - - - - Roll - Rotation against the longitudinal axis - relative to the global Z direction for all members that are non-vertical in regard to the global coordinate system (Profile direction equals global Z is Roll = 0.) -The shape information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the shape properties, provided in the attached property, the geometric parameters take precedence. -Note: new property in IFC4. - - - - - - - Kippwinkel - Roll - RotationAutourAxeLongitudinal - 回転 - 转角 - - - German-description-4 - - Rotation autour de l'axe longitudinal - relativement à l'axe Z pour toutes les membrures qui ne sont pas verticales relativement au repère absolu (la direction du profil est celle de l'axe Z si la valeur de la propriété est 0). Cette propriété est donnée en complément de la représentation de la forme de l'élément et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. Note : nouvelle propriété de la version IFC2x4. - オブジェクトの長軸に対する回転。 - 相对于纵轴的旋转角。对全局坐标系中的非垂直构件,该属性为相对于Z轴的角度。(若轮廓方向在Z轴上,则转角为0。) -该属性所提供的形状信息是对内部形状描述和几何参数的补充。如果几何参数与该属性所提供的形状属性不符,应以几何参数为准。对CAD等几何编辑程序,该属性应为只写类型。 -注:IFC2x4新添属性 - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external element and faces the outside of the building. - - - - - - - Außenbauteil - Is External - EstExterieur - 外部区分 - 是否外部构件 - - - Angabe, ob dieses Bauteil ein Aussenbauteil ist (JA) oder ein Innenbauteil (NEIN). Als Aussenbauteil grenzt es an den Aussenraum (oder Erdreich, oder Wasser). - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - 外部の部材かどうかを示すブーリアン値。もしTRUEの場合、外部の部材で建物の外側に面している。 - 表示该图元是否设计为外部构件。若是,则该图元为外部图元,朝向建筑物的外部。 - - - - ThermalTransmittance - Thermal transmittance coefficient (U-Value) of a material. -Here the total thermal transmittance coefficient through the member within the direction of the thermal flow (including all materials). -Note: new property in IFC4. - - - - - - - U-Wert - Thermal Transmittance - TransmissionThermique - 熱貫流率 - 导热系数 - - - Wärmedurchgangskoeffizient (U-Wert) der Materialschichten. -Hier der Gesamtwärmedurchgangskoeffizient des Balkens (in Richtung des Wärmeflusses), angegeben ohne den inneren und äußeren Wärmeübergangswiderstand. - - Coefficient de transmission thermique surfacique (U). C'est le coefficient global de transmission thermique à travers la membrure dans la direction du flux thermique (tous matériaux inclus). Nouvelle propriété de la version 2x4. - 熱貫流率U値。ここではメンバーオブジェクトを通した熱移動の方向における全体の熱還流率を示す。 - 材料的导热系数(U值)。 -表示该构件在传热方向上的整体导热系数(包括所有材料)。 -注:IFC2x4新添属性 - - - - LoadBearing - Indicates whether the object is intended to carry loads (TRUE) or not (FALSE). - - - - - - - Tragendes Bauteil - Load Bearing - Porteur - 耐力部材 - 是否承重 - - - Angabe, ob dieses Bauteil tragend ist (JA) oder nichttragend (NEIN) - - Indique si l'objet est censé porter des charges (VRAI) ou non (FAUX). - 荷重に関係している部材かどうかを示すブーリアン値。 - 表示该对象是否需要承重。 - - - - FireRating - Fire rating for this object. -It is given according to the national fire safety classification. - - - - - - - Feuerwiderstandsklasse - Fire Rating - ResistanceAuFeu - 耐火等級 - 防火等级 - - - Feuerwiderstandasklasse gemäß der nationalen oder regionalen Brandschutzverordnung. - - Classement au feu de l'élément donné selon la classification nationale de sécurité incendie. - 主要な耐火等級。関連する建築基準法、消防法などの国家基準を参照。 - 该构件的防火等级。 -该属性的依据为国家防火安全分级。 - - - - - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de la classe IfcMember - IfcMemberオブジェクトに関する共通プロパティセット定義。 - 所有IfcMember实例的定义中通用的属性。 - - - - - Pset_MotorConnectionTypeCommon - Common properties for motor connections. HISTORY: Added in IFC4. - - - IfcMotorConnection - - IfcMotorConnection - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - 当該プロジェクトで定義する形式の参照ID(例:A-1)、承認された分類に存在しないときに使用される。 - 해당 프로젝트에 정의된 형식의 참조 ID (예 : A-1) 승인된 분류에 존재하지 않을 때 사용된다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - モーター接続の共通プロパティ。 -IFC4にて追加。 - - - - - Pset_OpeningElementCommon - Properties common to the definition of all instances of IfcOpeningElement. - - - IfcOpeningElement - - IfcOpeningElement - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). Used to store the non-classification driven internal construction type. - - - - - - - Referenz ID - Reference - Reference - 参照記号 - 참조ID - - - Wird verwendet, wenn keine allgemein anerkanntes Klassifizierungssystem angewandt wird. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1"). Utilisé pour enregistrer un type sans recourir à une classification. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 프로젝트의 참조 ID (예 : A-1). 분류 코드가 아닌 내부에서 사용되는 프로젝트 형식으로 사용됩니다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - Purpose - Indication of the purpose for that opening, e.g. 'ventilation', 'access', etc. - - - - - - - Purpose - Motif - 目的 - - - - Indication du motif de l'ouverture (ventilation, accès, etc.). - 開口の目的を示す文字列。例:"ventilation"(換気)、"access"(通行)など。 - - - - FireExit - Indication whether this object is designed to serve as an exit in the case of fire (TRUE) or not (FALSE). -Here whether the space (in case of e.g., a corridor) is designed to serve as an exit space, e.g., for fire escape purposes. - - - - - - - Fire Exit - Sortie de secours - 非常口区分 - - - - Indique si cet objet est conçu pour servir de sortie en cas d'incendie (VRAI) ou non (FAUX). - このオブジェクト(開口)が火災の場合に出口として使われるように設計されているかどうかを示すブーリアン値。(TRUE)はい、(FALSE)いいえ。 -ここに、空間(例えば廊下)は、例えば火災避難目的のために出口空間として使われるよう設計されているかどうか。 - - - - ProtectedOpening - Indication whether the opening is considered to be protected under fire safety considerations. If (TRUE) it counts as a protected opening under the applicable building code, (FALSE) otherwise. - - - - - - - Protected Opening - Ouverture avec protection incendie - 保護 - - - - Indique si l'ouverture fait l'objet d'une protection incendie. Si (VRAI) elle est considérée comme une ouverture avec protection conformément à la règlementation applicable, (FAUX) sinon. - 開港が安全性を考慮した保護機能があるかどうかを示すブーリアン値。適用される建築基準などにより保護されている場合(TRUE)、そうではない場合(FALSE)となる。 - - - - - Property Set Definition in German - - Définition de l'IAI : propriétés communes à la définition de toutes les occurrences de la classe IfcOpeningElement - IfcOpeningElementに関する共通プロパティセット定義。 - - - - - Pset_OutletTypeCommon - Common properties for different outlet types. - - - IfcOutlet - - IfcOutlet - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - 当該プロジェクトで定義する形式の参照ID(例:A-1)、承認された分類に存在しないときに使用される。 - 해당 프로젝트에 정의된 형식의 참조 ID (예 : A-1) 승인된 분류에 존재하지 않을 때 사용된다 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - IsPluggableOutlet - Indication of whether the outlet accepts a loose plug connection (= TRUE) or whether it is directly connected (= FALSE) or whether the form of connection has not yet been determined (= UNKNOWN). - - - - - - - Is Pluggable Outlet - プラグ接続可否 - 플러그 여부 - - - - 差込口が緩いプラグ接続を認めるか、それが直接接続されるかどうか、あるいは接続の形式がまだ決定されていないかを指示する。 - 슬롯이 느슨한 플러그를 인정하거나 그것에 직접 연결되는지 여부, 연결 형식이 아직 결정되지 않았는지 설명한다 - - - - NumberOfSockets - The number of sockets that may be connected. In case of inconsistency, sockets defined on ports take precedence. - - - - - - - Number Of Sockets - - - - - - - - - 異なる差込口タイプの共通プロパティ。 - - - - - Pset_OutsideDesignCriteria - Outside air conditions used as the basis for calculating thermal loads at peak conditions, as well as the weather data location from which these conditions were obtained. HISTORY: New property set in IFC Release 1.0. - - - IfcBuilding - - IfcBuilding - - - HeatingDryBulb - Outside dry bulb temperature for heating design. - - - - - - - Heating Dry Bulb - 暖房用設計外気乾球温度 - 난방 설계 외기 건구 온도 - - - - 暖房用設計用外気乾球温度。 - 난방 설계 외기 건구 온도 - - - - HeatingWetBulb - Outside wet bulb temperature for heating design. - - - - - - - Heating Wet Bulb - 暖房用設計外気湿球温度 - 난방 설계 외기 습구온도 - - - - 暖房用設計用外気湿球温度。 - 난방 설계 외기 습구온도 - - - - HeatingDesignDay - The month, day and time that has been selected for the heating design calculations. - - - - - - - Heating Design Day - 暖房設計基準日 - 난방 설계 기준일 - - - - 暖房設計用気象データの日付。 - 난방 설계 기상 데이터의 날짜 - - - - CoolingDryBulb - Outside dry bulb temperature for cooling design. - - - - - - - Cooling Dry Bulb - 冷房用設計外気乾球温度 - 냉방용 설계 외기건구 온도 - - - - 冷房用設計用外気乾球温度。 - 냉방용 설계 외기건구 온도 - - - - CoolingWetBulb - Outside wet bulb temperature for cooling design. - - - - - - - Cooling Wet Bulb - 冷房用設計外気湿球温度 - 냉방용 설계외기 습구온도 - - - - 冷房用設計用外気湿球温度。 - 냉방용 설계외기 습구온도 - - - - CoolingDesignDay - The month, day and time that has been selected for the cooling design calculations. - - - - - - - Cooling Design Day - 冷房設計基準日 - 냉방설계 기준일 - - - - 冷房設計用気象データの日時(月、日、時刻)。 - 냉방 설계 기상 데이터의 시간 (월, 일, 시간). - - - - WeatherDataStation - The site weather data station description or reference to the data source from which weather data was obtained for use in calculations. - - - - - - - Weather Data Station - 気象台所在地 - 기상대 위치 - - - - 空調負荷計算時使用する気象データの気象台所在地。 - 공조 부하 계산시 사용하는 기상 데이터 기상대 위치. - - - - WeatherDataDate - The date for which the weather data was gathered. - - - - - - - Weather Data Date - 気象データ - 기상데이터 - - - - 気象台所在地の気象データ。 - 기상대 지역의 기상 데이터입니다. - - - - BuildingThermalExposure - The thermal exposure expected by the building based on surrounding site conditions. - - - - LIGHT - MEDIUM - HEAVY - NOTKNOWN - UNSET - - - - LIGHT - - Light - - - - - - - MEDIUM - - Medium - - - - - - - HEAVY - - Heavy - - - - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Building Thermal Exposure - 周囲環境からの熱放射強度 - 주위환경에서 열의 방사강도 - - - - 周囲環境から建物への熱放射強度。 - 주위 환경​​에서 건물의 열 방사 강도. - - - - PrevailingWindDirection - The prevailing wind angle direction measured from True North (0 degrees) in a clockwise direction. - - - - - - - Prevailing Wind Direction - 卓越風の風向 - 탁월한 방람의 풍향 - - - - 卓越風の風向、真北は0°、時計回り。 - 탁월한 바람의 풍향, 북쪽은 0 ° 시계 방향. - - - - PrevailingWindVelocity - The design wind velocity coming from the direction specified by the PrevailingWindDirection attribute. - - - - - - - Prevailing Wind Velocity - 卓越風の風速 - 탁월한 바람의 풍속 - - - - PrevailingWindDirection 属性に示された風向から来た卓越風の風速。 - PrevailingWindDirection 속성에 지정된 풍향 온 탁월한 바람 바람. - - - - - - ピーク時熱負荷を計算するために使用する所在地の外気条件。履歴:IFC1.0に定義された新属性。 - - - - - Pset_PackingInstructions - Packing instructions are specific instructions relating to the packing that is required for an artifact in the event of a move (or transport). - - - IfcTask/MOVE - - IfcTask/MOVE - - - PackingCareType - Identifies the predefined types of care that may be required when handling the artefact during a move where: - -Fragile: artefact may be broken during a move through careless handling. -HandleWithCare: artefact may be damaged during a move through careless handling. - - - - FRAGILE - HANDLEWITHCARE - OTHER - NOTKNOWN - UNSET - - - - FRAGILE - - Fragile - - - - - - - HANDLEWITHCARE - - Handle With Care - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Packing Care Type - 荷造り注意タイプ - - - - 引越しの最中の品物の取り扱いに要求される、あらかじめ定義されている注意タイプの識別子: - -Fragile: 注意深い取り扱いをしないと壊れる品物。 -HandleWithCare: 注意深い取り扱いでしないと損害を受ける品物。 - - - - WrappingMaterial - Special requirements for material used to wrap an artefact. - - - - - Wrapping Material - 包装材料 - - - - 品物の包装に使用される材料に関する特記事項。 - - - - ContainerMaterial - Special requirements for material used to contain an artefact. - - - - - Container Material - コンテナー材料 - - - - 品物の収容するのに使用される材料に関する特記事項。 - - - - SpecialInstructions - Special instructions for packing. - - - - - - - Special Instructions - 特記事項 - - - - 荷造りに関する特記事項。 - - - - - - 引越しの際の品物(IfcElement)に対して要求される荷造り指示に関するプロパティセット定義。 - - - - - Pset_Permit - A permit is a document that allows permission to gain access to an area or carry out work in a situation where security or other access restrictions apply. -HISTORY: IFC4 EndDate added. PermitType, PermitDuration, StartTime and EndTime are deleted. - - - IfcPermit - - IfcPermit - - - EscortRequirement - Indicates whether or not an escort is required to accompany persons carrying out a work order at or to/from the place of work (= TRUE) or not (= FALSE). - -NOTE - There are many instances where escorting is required, particularly in a facility that has a high security rating. Escorting may require that persons are escorted to and from the place of work. Alternatively, it may involve the escort remaining at the place of work at all times. - - - - - - - Escort Requirement - - - - - - - StartDate - Date and time from which the permit becomes valid. - - - - - - - Start Date - - - - - - - EndDate - Date and time at which the permit ceases to be valid. - - - - - - - End Date - - - - - - - SpecialRequirements - Any additional special requirements that need to be included in the permit to work. - -NOTE - Additional permit requirements may be imposed according to the nature of the facility at which the work is carried out. For instance, in clean areas, special clothing may be required whilst in corrective institutions, it may be necessary to check in and check out tools that will be used for work as a safety precaution. - - - - - - - Special Requirements - - - - - - - - - - - - - Pset_PileCommon - Properties common to the definition of all occurrences of IfcPile. - - - IfcPile - - IfcPile - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - 当プロジェクトにおけるこの指定型式のためのリファレンスID。(たとえは、'A-1'型) - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - LoadBearing - - - - - - - - Tragendes Bauteil - Load Bearing - Porteur - 耐力部材 - - - Angabe, ob dieses Bauteil tragend ist (JA) oder nichttragend (NEIN) - Indicates whether the object is intended to carry loads (TRUE) or not (FALSE). - Indique si l'objet est censé porter des charges (VRAI) ou non (FAUX). - 荷重に関係している部材かどうかを示すブーリアン値。 - - - - - - 生成されたすべてのIfcPileの定義に共通するプロパティ。 - - - - - Pset_PipeConnectionFlanged - This property set is used to define the specifics of a flanged pipe connection used between occurrences of pipe segments and fittings. - - - IfcPipeSegment - - IfcPipeSegment - - - FlangeTable - Designation of the standard table to which the flange conforms. - - - - - - - Flange Table - フランジ基準 - - - - フランジ形状の名称基準 - - - - FlangeStandard - Designation of the standard describing the flange table. - - - - - - - Flange Standard - フランジ規格 - - - - フランジ規格を記述している基準 - - - - BoreSize - The nominal bore of the pipe flange. - - - - - - - Bore Size - フランジの内径のサイズ - - - - フランジの呼び径 - - - - FlangeDiameter - Overall diameter of the flange. - - - - - - - Flange Diameter - フランジの直径 - - - - フランジの全直径 - - - - FlangeThickness - Thickness of the material from which the pipe bend is constructed. - - - - - - - Flange Thickness - フランジの厚さ - - - - パイプをつなぐ材料の厚み - - - - NumberOfBoltholes - Number of boltholes in the flange. - - - - - - - Number Of Boltholes - ボルト穴の数 - - - - フランジにあるボルト穴の数 - - - - BoltSize - Size of the bolts securing the flange. - - - - - - - Bolt Size - ボルトの大きさ - - - - フランジを締めるボルトの大きさ - - - - BoltholePitch - Diameter of the circle along which the boltholes are placed. - - - - - - - Bolthole Pitch - ボルト穴ピッチ - - - - ボルト穴がある円の直径 - - - - - - - - - - Pset_PipeFittingOccurrence - Pipe segment occurrence attributes attached to an instance of IfcPipeSegment. - - - IfcPipeFitting - - IfcPipeFitting - - - InteriorRoughnessCoefficient - The interior roughness coefficient of the pipe segment. - - - - - - - Interior Roughness Coefficient - 内部粗度係数 - - - - 配管部の内部粗度係数 - - - - Color - The color of the pipe segment. - -Note: This is typically used only for plastic pipe segments. However, it may be used for any pipe segments with a painted surface which is not otherwise specified as a covering. - - - - - - - Color - - - - - 配管部の内部粗度係数 記:プラスチック配管にのみ使われる。保護のためではない塗装された表面を持つ配管にも使われる。 - - - - - - - - - - Pset_PipeFittingPHistory - Pipe fitting performance history common attributes. - - - IfcPipeFitting - - IfcPipeFitting - - - LossCoefficient - Dimensionless loss coefficient used for calculating fluid resistance representing the ratio of total pressure loss to velocity pressure at a referenced cross-section. - - - - - Loss Coefficient - 損失係数 - - - - 無次元数的な損失係数で、ある断面において、動圧に対する全圧損失の割合を表す流れ抵抗を計算するのに使われる。 - - - - FlowrateLeakage - Leakage flowrate versus pressure difference. - - - - - Flowrate Leakage - 漏洩流量 - - - - 漏洩量と圧力差の関係 - - - - - - - - - - Pset_PipeFittingTypeBend - Pipe fitting type attributes for bend shapes. - - - IfcPipeFitting/BEND - - IfcPipeFitting/BEND - - - BendAngle - The change of direction of flow. - - - - - - - Bend Angle - 曲がり角度 - - - - 流れの方向を変える - - - - BendRadius - The radius of bending if circular arc or zero if sharp bend. - - - - - - - Bend Radius - 曲率半径 - - - - 円弧の曲率半径? - - - - - - - - - - Pset_PipeFittingTypeCommon - Pipe fitting type common attributes. - - - IfcPipeFitting - - IfcPipeFitting - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - PressureClass - The test or rated pressure classification of the fitting. - - - - - - - Pressure Class - 圧力分類 - - - - 継ぎ手接合部の圧力等級? - - - - PressureRange - Allowable maximum and minimum working pressure (relative to ambient pressure). - - - - - - - Pressure Range - 圧力範囲 - - - - 許容できる最大/最小管内圧力(周囲圧力に比較して) - - - - TemperatureRange - Allowable maximum and minimum temperature. - - - - - - - Temperature Range - 温度範囲 - - - - 許容できる最大/最小温度 - - - - FittingLossFactor - A factor that determines the pressure loss due to friction through the fitting. - - - - - - - Fitting Loss Factor - 継ぎ手接合部損失係数 - - - - 接合部を通過する際の摩擦による圧力損失を決める係数 - - - - - - - - - - Pset_PipeFittingTypeJunction - Pipe fitting type attributes for junction shapes. - - - IfcPipeFitting/JUNCTION - - IfcPipeFitting/JUNCTION - - - JunctionType - The type of junction. TEE=3 ports, CROSS = 4 ports. - - - - TEE - CROSS - OTHER - NOTKNOWN - UNSET - - - - TEE - - Tee - - - - - - - CROSS - - Cross - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Junction Type - 継ぎ手タイプ - - - - 接合のタイプ (T継ぎ手は3本 十字継ぎ手は4本) - - - - JunctionLeftAngle - The change of direction of flow for the left junction. - - - - - - - Junction Left Angle - 左継ぎ手角度 - - - - 左継ぎ手の流れの方向の変化 - - - - JunctionLeftRadius - The radius of bending for the left junction. - - - - - - - Junction Left Radius - 左継ぎ手半径 - - - - 左継ぎ手の曲がりの半径 - - - - JunctionRightAngle - The change of direction of flow for the right junction where 0 indicates straight segment. - - - - - - - Junction Right Angle - 右継ぎ手角度 - - - - 右継ぎ手の流れの方向の変化 - - - - JunctionRightRadius - The radius of bending for the right junction where 0 indicates sharp bend. - - - - - - - Junction Right Radius - 右継ぎ手半径 - - - - 右継ぎ手の曲がりの半径(ゼロは鋭い曲がりを意味する) - - - - - - - - - - Pset_PipeSegmentOccurrence - Pipe segment occurrence attributes attached to an instance of IfcPipeSegment. - - - IfcPipeSegment - - IfcPipeSegment - - - InteriorRoughnessCoefficient - The interior roughness coefficient of the pipe segment. - - - - - - - Interior Roughness Coefficient - 内部粗度係数 - - - - 配管部の内部粗度係数 - - - - Color - The color of the pipe segment. - -Note: This is typically used only for plastic pipe segments. However, it may be used for any pipe segments with a painted surface which is not otherwise specified as a covering. - - - - - - - Color - - - - - 配管部の内部粗度係数 記:この語はプラスチック配管にのみ使われる。しかしながら、保護のためではない塗装された表面を持つ配管にも使われる。 - - - - Gradient - The gradient of the pipe segment. - - - - - - - Gradient - 勾配 - - - - 配管部の勾配 - - - - InvertElevation - The invert elevation relative to the datum established for the project. - - - - - - - Invert Elevation - - - - - - - - - - - - - Pset_PipeSegmentPHistory - Pipe segment performance history common attributes. - - - IfcPipeSegment - - IfcPipeSegment - - - LeakageCurve - Leakage per unit length curve versus working pressure. - - - - - Leakage Curve - 漏洩曲線 - - - - 配管圧力に対する単位あたり流出量曲線 - - - - FluidFlowLeakage - Volumetric leakage flow rate. - - - - - Fluid Flow Leakage - 流体漏洩量 - - - - 漏洩量 - - - - - - - - - - Pset_PipeSegmentTypeCommon - Pipe segment type common attributes. - - - IfcPipeSegment - - IfcPipeSegment - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - WorkingPressure - Working pressure. - - - - - - - Working Pressure - 動作圧 - - - - 動作圧 - - - - PressureRange - Allowable maximum and minimum working pressure (relative to ambient pressure). - - - - - - - Pressure Range - 圧力範囲 - - - - 許容最大/最小管内圧力(周囲圧力に比較して) - - - - TemperatureRange - Allowable maximum and minimum temperature. - - - - - - - Temperature Range - 温度範囲 - - - - 許容最大/最小温度 - - - - NominalDiameter - The nominal diameter of the pipe segment. - - - - - - - Nominal Diameter - 呼び径 - - - - 配管部の呼び径、リストに一つの数字しかないとき、この呼び径が全ての管端に当てはまる。一つ以上の数字があるとき、呼び径はリストの表示に対応する管端にあてはまる。 - - - - InnerDiameter - The actual inner diameter of the pipe. - - - - - - - Inner Diameter - 内径 - - - - 配管の実内径(リストの複数の数字の解釈については呼び径参照) - - - - OuterDiameter - The actual outer diameter of the pipe. - - - - - - - Outer Diameter - 外径 - - - - 配管の実外径(リストの複数の数字の解釈については呼び径参照) - - - - - - - - - - Pset_PipeSegmentTypeCulvert - Covered channel or large pipe that forms a watercourse below ground level, usually under a road or railway (BS6100). - - - IfcPipeSegment/CULVERT - - IfcPipeSegment/CULVERT - - - InternalWidth - The internal width of the culvert. - - - - - - - Internal Width - 内幅 - - - - 暗渠管の内幅 - - - - ClearDepth - The clear depth of the culvert. - - - - - - - Clear Depth - 許容深さ - - - - 暗渠管の許容(安全)深さ - - - - - - - - - - Pset_PipeSegmentTypeGutter - Gutter segment type common attributes. - - - IfcPipeSegment/GUTTER - - IfcPipeSegment/GUTTER - - - Slope - Angle of the gutter to allow for drainage. - - - - - - - Slope - 勾配 - - - - 排水に必要な溝の角度(傾斜) - - - - FlowRating - Actual flow capacity for the gutter. Value of 0.00 means this value has not been set. - - - - - - - Flow Rating - 流量 - - - - 実際の排水流量  0.00値はこの値がセットされていないことを意味する  - - - - - - - - - - Pset_PlateCommon - Properties common to the definition of all occurrences of IfcPlate. - - - IfcPlate - - IfcPlate - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Bauteiltyp - Reference - Reference - 参照記号 - 参考号 - - - Bezeichnung zur Zusammenfassung gleichartiger Bauteile zu einem Bauteiltyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1") pour désigner un "type de construction". Une alternative au nom d'un objet type lorsque les objets types ne sont pas gérés par le logiciel. - 認識された分類体系で参照する分類がない場合にこのプロジェクト固有の参照記号(例:タイプ'A-1')が与えられる。 - 若未采用已知的分类系统,则该属性为该项目中该类型构件的参考编号(例如,类型A-1)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - AcousticRating - Acoustic rating for this object. -It is provided according to the national building code. It indicates the sound transmission resistance of this object by an index ratio (instead of providing full sound absorbtion values). - - - - - - - Schallschutzklasse - Acoustic Rating - IsolationAcoustique - 遮音等級 - 隔音等级 - - - Schallschutzklasse gemäß der nationalen oder regionalen Schallschutzverordnung. - - Classement acoustique de cet objet. Donné selon le Code National du Bâtiment. Il indique la résistance à la transmission du son de cet objet par une valeur de référence (au lieu de fournir les valeurs totales d'absorption du son). - このオブジェクトの遮音等級。各国の建築基準に従って決められる。このオブジェクトの音響透過を指数であらわす。(実際の吸音値を示すかわりに) - 该构件的隔音等级。 -该属性的依据为国家建筑规范。为表示该构件隔音效果的比率(而不是完全吸收声音的值)。 - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external element and faces the outside of the building. - - - - - - - Außenbauteil - Is External - EstExterieur - 外部区分 - 是否外部构件 - - - Angabe, ob dieses Bauteil ein Aussenbauteil ist (JA) oder ein Innenbauteil (NEIN). Als Aussenbauteil grenzt es an den Aussenraum (oder Erdreich, oder Wasser). - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - この要素が外部に用いられるか(TRUE)、否か(FALSE)を示す。(TRUE)の場合、これは外部要素で、建物の外部に面している。 - 表示该构件是否设计为外部构件。若是,则该构件为外部构件,朝向建筑物的外侧。 - - - - ThermalTransmittance - Thermal transmittance coefficient (U-Value) of a material. -It applies to the total door construction. - - - - - - - U-Wert - Thermal Transmittance - TransmissionThermique - 熱貫流率 - 导热系数 - - - Wärmedurchgangskoeffizient (U-Wert) der Materialschichten. -Hier der Gesamtwärmedurchgangskoeffizient der Platte (für alle Schichten). - - Coefficient de transmission thermique (U) qui s'applique à l'ensemble de la plaque. - 材料の熱貫流率(U値)。すべての扉部材に適応される。 - 材料的导热系数(U值)。 -适用于门的整体结构。 - - - - LoadBearing - Indicates whether the object is intended to carry loads (TRUE) or not (FALSE). - - - - - - - Tragendes Bauteil - Load Bearing - Porteur - 耐力部材 - 是否承重 - - - Angabe, ob dieses Bauteil tragend ist (JA) oder nichttragend (NEIN) - - Indique si l'objet est censé porter des charges (VRAI) ou non (FAUX). - オブジェクトが荷重を保持するか(TRUE)、保持しないか(FALSE)を示す。 - 表示该对象是否需要承重。 - - - - FireRating - Fire rating for this object. -It is given according to the national fire safety classification. - - - - - - - Feuerwiderstandsklasse - Fire Rating - ResistanceAuFeu - 耐火等級 - 防火等级 - - - Feuerwiderstandasklasse gemäß der nationalen oder regionalen Brandschutzverordnung. - - Classement au feu de l'élément donné selon la classification nationale de sécurité incendie. - 当該オブジェクトの耐火等級。国で定めた耐火安全等級分類による。 - 该构件的防火等级。 -该属性的依据为国家防火安全分级。 - - - - - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de la classe IfcPlate - IfcPlaceオブジェクトに関する共通プロパティセット定義。 - Property Set Definition in Chinese - - - - - Pset_PrecastConcreteElementFabrication - Production and manufacturing related properties common to different types of precast concrete elements. The Pset applies to manufactured pieces. It can be used by a number of subtypes of IfcBuildingElement. If the precast concrete ele - - - IfcBeam - IfcBuildingElementProxy - IfcChimney - IfcColumn - IfcFooting - IfcMember - IfcPile - IfcPlate - IfcRamp - IfcRampFlight - IfcRoof - IfcSlab - IfcStair - IfcStairFlight - IfcWall - IfcCivilElement - - IfcBeam,IfcBuildingElementProxy,IfcChimney,IfcColumn,IfcFooting,IfcMember,IfcPile,IfcPlate,IfcRamp,IfcRampFlight,IfcRoof,IfcSlab,IfcStair,IfcStairFlight,IfcWall,IfcCivilElement - - - TypeDesignator - Type designator for the precast concrete element. The content depends on local standards. For instance in Finland it usually a one-letter acronym, e.g. P=Column, K=reinforced concrete beam,etc. - - - - - - - Type Designator - - - - - - - ProductionLotId - The manufacturer's production lot identifier. - - - - - - - Production Lot Id - - - - - - - SerialNumber - The manufacturer's serial number for the precast concrete element. - - - - - - - Serial Number - - - - - - - PieceMark - Defines a unique piece for production purposes. All pieces with the same piece mark value are identical and interchangeable. The piece mark may be composed of sub-parts that have specific locally defined meaning (e.g. B-1A may denote a beam, of generic type ‘1’ and specific shape ‘A’). - - - - - - - Piece Mark - - - - - - - AsBuiltLocationNumber - Defines a unique location within a structure, the ‘slot’ into which the piece was installed. Where pieces share the same piece mark, they can be interchanged. The value is only known after erection. - - - - - - - As Built Location Number - - - - - - - ActualProductionDate - Production date (stripped from form). - - - - - - - Actual Production Date - - - - - - - ActualErectionDate - Date erected. - - - - - - - Actual Erection Date - - - - - - - - - - - - - Pset_PrecastConcreteElementGeneral - Production and manufacturing related properties common to different types of precast concrete elements. The Pset can be used by a number of subtypes of IfcBuildingElement. If the precast concrete element is a sandwich wall panel each structural layer or shell represented by an IfcBuildingElementPart may be attached to a separate Pset of this type, if needed. Some of the properties apply only for specific types of precast concrete elements. - - - IfcBeam - IfcBuildingElementProxy - IfcChimney - IfcColumn - IfcFooting - IfcMember - IfcPile - IfcPlate - IfcRamp - IfcRampFlight - IfcRoof - IfcSlab - IfcStair - IfcStairFlight - IfcWall - IfcCivilElement - - IfcBeam,IfcBuildingElementProxy,IfcChimney,IfcColumn,IfcFooting,IfcMember,IfcPile,IfcPlate,IfcRamp,IfcRampFlight,IfcRoof,IfcSlab,IfcStair,IfcStairFlight,IfcWall,IfcCivilElement - - - TypeDesignator - Type designator for the precast concrete element. The content depends on local standards. For instance in Finland it usually a one-letter acronym, e.g. P=Column, K=reinforced concrete beam,etc. - - - - - - - Type Designator - 特定子の記述 - - - - プレキャストコンクリート要素の特定子(部位)を記述する。内容はローカルな(各国の)標準(規格)に依存する。例えばフィンランドでは、柱はP、梁はKのように通常、頭文字1文字で表す。 - - - - CornerChamfer - The chamfer in the corners of the precast element. The chamfer is presumed to be equal in both directions. - - - - - - - Corner Chamfer - 面取り - - - - プレキャストコンクリート要素の面取り。面取りは両方向で等しいものとする。 - - - - ManufacturingToleranceClass - Classification designation of the manufacturing tolerances according to local standards. - - - - - - - Manufacturing Tolerance Class - メーカーの認可分類 - - - - ローカルな標準によるメーカーの認可分類。 - - - - FormStrippingStrength - The minimum required compressive strength of the concrete at form stripping time. - - - - - - - Form Stripping Strength - 脱型強度 - - - - 脱型時におけるコンクリートの最小必要圧縮強度。 - - - - LiftingStrength - The minimum required compressive strength of the concrete when the concrete element is lifted. - - - - - - - Lifting Strength - 吊り上げ強度 - - - - コンクリート要素が吊り上げられる時のコンクリートの最小必要圧縮強度。 - - - - ReleaseStrength - The minimum required compressive strength of the concrete when the tendon stress is released. This property applies to prestressed concrete elements only. - - - - - - - Release Strength - リリース強度 - - - - 緊張力が解放される時のコンクリートの最小必要圧縮強度。この属性はプレストレストコンクリート要素のみに適用される。 - - - - MinimumAllowableSupportLength - The minimum allowable support length. - - - - - - - Minimum Allowable Support Length - 最小許容支持長さ - - - - 最小許容支持長さ。 - - - - InitialTension - The initial stress of the tendon. This property applies to prestressed concrete elements only. - - - - - - - Initial Tension - 初引張力 - - - - 緊張材の初期応力。この属性はプレストレストコンクリート要素のみに適用される。 - - - - TendonRelaxation - The maximum allowable relaxation of the tendon (usually expressed as %/1000 h).This property applies to prestressed concrete elements only. - - - - - - - Tendon Relaxation - 緊張材のリラクセーション - - - - 緊張材の最大許容リラクセーション(応力弛緩、-係数)。通常、1000時間あたりの割合(%)。この属性はプレストレストコンクリート要素のみに適用される。 - - - - TransportationStrength - The minimum required compressive strength of the concrete required for transportation. - - - - - - - Transportation Strength - 輸送強度 - - - - 輸送に必要なコンクリートの最小必要圧縮強度。 - - - - SupportDuringTransportDescription - Textual description of how the concrete element is supported during transportation. - - - - - - - Support During Transport Description - 輸送中の支持に関する記述 - - - - プレキャストコンクリート要素が輸送中における支持方法について書かれたテキスト文書。 - - - - SupportDuringTransportDocReference - Reference to an external document defining how the concrete element is supported during transportation. - - - - - Support During Transport Doc Reference - 輸送中の支持に関する参考文献 - - - - プレキャストコンクリート要素が輸送中における支持方法について書かれた外部ドキュメントの参照。 - - - - HollowCorePlugging - A descriptive label for how the hollow core ends are treated: they may be left open, closed with a plug, or sealed with cast concrete. Values would be, for example: 'Unplugged', 'Plugged', 'SealedWithConcrete'. This property applies to hollow core slabs only. - - - - - - - Hollow Core Plugging - くぼみの充填 - - - - (定着部の?)くぼみをどのように扱うのかについて書かれたラベル:開けたままにするか、プラグで塞ぐ、または後詰めコンクリートで塞ぐ。例えば、「塞がない」、「塞ぐ」、「コンクリートで塞ぐ」と書かれるだろう。この属性はスラブに開けられたくぼみにも適用される。 - - - - CamberAtMidspan - The camber deflection, measured from the midpoint of a cambered face of a piece to the midpoint of the chord joining the ends of the same face, as shown in the figure below, divided by the original (nominal) straight length of the face of the piece. - - - - - - - Camber At Midspan - - - - - - - BatterAtStart - The angle, in radians, by which the formwork at the starting face of a piece is to be rotated from the vertical in order to compensate for the rotation of the face that will occur once the piece is stripped from its form, inducing camber due to eccentric prestressing. - - - - - - - Batter At Start - - - - - - - BatterAtEnd - The angle, in radians, by which the formwork at the ending face of a piece is to be rotated from the vertical in order to compensate for the rotation of the face that will occur once the piece is stripped from its form, inducing camber due to eccentric prestressing. - - - - - - - Batter At End - - - - - - - Twisting - The angle, in radians, through which the end face of a precast piece is rotated with respect to its starting face, along its longitudinal axis, as a result of non-aligned supports. This measure is also termed the ‘warping’ angle. - - - - - - - Twisting - - - - - - - Shortening - The ratio of the distance by which a precast piece is shortened after release from its form (due to compression induced by prestressing) to its original (nominal) length. - - - - - - - Shortening - - - - - - - PieceMark - Defines a unique piece for production purposes. All pieces with the same piece mark value are identical and interchangeable. The piece mark may be composed of sub-parts that have specific locally defined meaning (e.g. B-1A may denote a beam, of generic type ‘1’ and specific shape ‘A’). - - - - - - - Piece Mark - - - - - - - DesignLocationNumber - Defines a unique location within a structure, the ‘slot’ for which the piece was designed. - - - - - - - Design Location Number - - - - - - - - - 生産(設計)と製造(メーカー)でタイプの異なるプレキャストコンクリート要素(部材)に、共通の属性(プロパティ)を関連付けた。Psetは多くのIfcBuildingElementのサブタイプとして使用できる。もしプレキャストコンクリート要素が壁板であるとしたら、IfcBuildingElementPartで表される各々の構造的な層かシェルは、このタイプの別々のPsetで結び付くかもしれない。幾つかの属性が、特定なタイプのプレキャストコンクリート要素のためだけに適用される。 - - - - - Pset_PrecastSlab - Layout and component information defining how prestressed slab components are laid out in a precast slab assembly. The values are global defaults for the slab as a whole, but can be overridden by local placements of the individual com - - - IfcSlab - - IfcSlab - - - TypeDesignator - Type designator for the precast concrete slab, expressing mainly the component type. Possible values are “Hollow-core”, “Double-tee”, “Flat plank”, etc. - - - - - - - Type Designator - - - - - - - ToppingType - Defines if a topping is applied and what kind. Values are “Full topping”, “Perimeter Wash”, “None” - - - - - - - Topping Type - - - - - - - EdgeDistanceToFirstAxis - The distance from the left (‘West’) edge of the slab (in the direction of span of the components) to the axis of the first component. - - - - - - - Edge Distance To First Axis - - - - - - - DistanceBetweenComponentAxes - The distance between the axes of the components, measured along the ‘South’ edge of the slab. - - - - - - - Distance Between Component Axes - - - - - - - AngleToFirstAxis - The angle of rotation of the axis of the first component relative to the ‘West’ edge of the slab. - - - - - - - Angle To First Axis - - - - - - - AngleBetweenComponentAxes - The angle between the axes of each pair of components. - - - - - - - Angle Between Component Axes - - - - - - - NominalThickness - The nominal overall thickness of the slab. - - - - - - - Nominal Thickness - - - - - - - NominalToppingThickness - The nominal thickness of the topping. - - - - - - - Nominal Topping Thickness - - - - - - - - - - - - - Pset_ProfileArbitraryDoubleT - This is a collection of geometric properties of double-T section profiles of precast concrete elements, to be used in conjunction with IfcArbitraryProfileDef when profile designation alone does not fulfill the information requirements. - - - IfcArbitraryClosedProfileDef - - IfcArbitraryClosedProfileDef - - - OverallWidth - Overall width of the profile. - - - - - - - Overall Width - - - - - - - LeftFlangeWidth - Left flange width of the profile. - - - - - - - Left Flange Width - - - - - - - RightFlangeWidth - Right flange width of the profile. - - - - - - - Right Flange Width - - - - - - - OverallDepth - Overall depth of the profile. - - - - - - - Overall Depth - - - - - - - FlangeDepth - Flange depth of the profile. - - - - - - - Flange Depth - - - - - - - FlangeDraft - Flange draft of the profile. - - - - - - - Flange Draft - - - - - - - FlangeChamfer - Flange chamfer of the profile. - - - - - - - Flange Chamfer - - - - - - - FlangeBaseFillet - Flange base fillet of the profile. - - - - - - - Flange Base Fillet - - - - - - - FlangeTopFillet - Flange top fillet of the profile. - - - - - - - Flange Top Fillet - - - - - - - StemBaseWidth - Stem base width of the profile. - - - - - - - Stem Base Width - - - - - - - StemTopWidth - Stem top width of the profile. - - - - - - - Stem Top Width - - - - - - - StemBaseChamfer - Stem base chamfer of the profile. - - - - - - - Stem Base Chamfer - - - - - - - StemTopChamfer - Stem top chamfer of the profile. - - - - - - - Stem Top Chamfer - - - - - - - StemBaseFillet - Stem base fillet of the profile. - - - - - - - Stem Base Fillet - - - - - - - StemTopFillet - Stem top fillet of the profile. - - - - - - - Stem Top Fillet - - - - - - - - - - - - - Pset_ProfileArbitraryHollowCore - This is a collection of geometric properties of hollow core section profiles of precast concrete elements, to be used in conjunction with IfcArbitraryProfileDefWithVoids when profile designation alone does not fulfill the information requirements. - -In all cases, the cores are symmetrically distributed on either side of the plank center line, irrespective of whether the number of cores is odd or even. For planks with a center core with different geometry to that of the other cores, provide the property CenterCoreSpacing. When the number of cores is even, no Center Core properties shall be asserted. - -Key chamfers and draft chamfer are all 45 degree chamfers. - -The CoreTopRadius and CoreBaseRadius parameters can be derived and are therefore not listed in the property set. They are shown to define that the curves are arcs. The parameters for the center core are the same as above, but with the prefix "Center". - - - IfcArbitraryProfileDefWithVoids - - IfcArbitraryProfileDefWithVoids - - - OverallWidth - Overall width of the profile. - - - - - - - Overall Width - - - - - - - OverallDepth - Overall depth of the profile. - - - - - - - Overall Depth - - - - - - - EdgeDraft - Edge draft of the profile. - - - - - - - Edge Draft - - - - - - - DraftBaseOffset - Draft base offset of the profile. - - - - - - - Draft Base Offset - - - - - - - DraftSideOffset - Draft side offset of the profile. - - - - - - - Draft Side Offset - - - - - - - BaseChamfer - Base chamfer of the profile. - - - - - - - Base Chamfer - - - - - - - KeyDepth - Key depth of the profile. - - - - - - - Key Depth - - - - - - - KeyHeight - Key height of the profile. - - - - - - - Key Height - - - - - - - KeyOffset - Key offset of the profile. - - - - - - - Key Offset - - - - - - - BottomCover - Bottom cover of the profile. - - - - - - - Bottom Cover - - - - - - - CoreSpacing - Core spacing of the profile. - - - - - - - Core Spacing - - - - - - - CoreBaseHeight - Core base height of the profile. - - - - - - - Core Base Height - - - - - - - CoreMiddleHeight - Core middle height of the profile. - - - - - - - Core Middle Height - - - - - - - CoreTopHeight - Core top height of the profile. - - - - - - - Core Top Height - - - - - - - CoreBaseWidth - Core base width of the profile. - - - - - - - Core Base Width - - - - - - - CoreTopWidth - Core top width of the profile. - - - - - - - Core Top Width - - - - - - - CenterCoreSpacing - Center core spacing of the profile. - - - - - - - Center Core Spacing - - - - - - - CenterCoreBaseHeight - Center core base height of the profile. - - - - - - - Center Core Base Height - - - - - - - CenterCoreMiddleHeight - Center core middle height of the profile. - - - - - - - Center Core Middle Height - - - - - - - CenterCoreTopHeight - Center core top height of the profile. - - - - - - - Center Core Top Height - - - - - - - CenterCoreBaseWidth - Center core base width of the profile. - - - - - - - Center Core Base Width - - - - - - - CenterCoreTopWidth - Center core top width of the profile. - - - - - - - Center Core Top Width - - - - - - - NumberOfCores - Number of cores. - - - - - - - Number Of Cores - - - - - - - - - - - - - Pset_ProfileMechanical - This is a collection of mechanical properties that are applicable to virtually all profile classes. Most of these properties are especially used in structural analysis. - - - IfcProfileDef - - IfcProfileDef - - - MassPerLength - Mass per length, i.e. mass of a beam with a unit length of extrusion. For example measured in kg/m. - - - - - - - Mass Per Length - - - - - - - CrossSectionArea - Area of the profile. For example measured in mm2. If given, the value of the cross section area shall be greater than zero. - - - - - - - Cross Section Area - - - - - - - Perimeter - Perimeter of the profile for calculating the surface area. For example measured in mm. - - - - - - - Perimeter - - - - - - - MinimumPlateThickness - This value may be needed for stress analysis and to handle buckling problems. It can also be derived from the given profile geometry or classification and therefore it is only an optional feature allowing for an explicit description. For example measured in mm. - - - - - - - Minimum Plate Thickness - - - - - - - MaximumPlateThickness - This value may be needed for stress analysis and to handle buckling problems. It can also be derived from the given profile geometry or classification and therefore it is only an optional feature allowing for an explicit description. For example measured in mm. - - - - - - - Maximum Plate Thickness - - - - - - - CentreOfGravityInX - Location of the profile's centre of gravity (geometric centroid), measured along xp. - - - - - - - Centre Of Gravity In X - - - - - - - CentreOfGravityInY - Location of the profile's centre of gravity (geometric centroid), measured along yp. - - - - - - - Centre Of Gravity In Y - - - - - - - ShearCentreZ - Location of the profile's shear centre, measured along zs. - - - - - - - Shear Centre Z - - - - - - - ShearCentreY - Location of the profile's shear centre, measured along ys. - - - - - - - Shear Centre Y - - - - - - - MomentOfInertiaY - Moment of inertia about ys (second moment of area, about ys). For example measured in mm4. - - - - - - - Moment Of Inertia Y - - - - - - - MomentOfInertiaZ - Moment of inertia about zs (second moment of area, about zs). For example measured in mm4 - - - - - - - Moment Of Inertia Z - - - - - - - MomentOfInertiaYZ - Moment of inertia about ys and zs (product moment of area). For example measured in mm4. - - - - - - - Moment Of Inertia YZ - - - - - - - TorsionalConstantX - Torsional constant about xs. For example measured in mm4. - - - - - - - Torsional Constant X - - - - - - - WarpingConstant - Warping constant of the profile for torsional action. For example measured in mm6. - - - - - - - Warping Constant - - - - - - - ShearDeformationAreaZ - Area of the profile for calculating the shear deformation due to a shear force parallel to zs. For example measured in mm². If given, the shear deformation area zs shall be non-negative. - - - - - - - Shear Deformation Area Z - - - - - - - ShearDeformationAreaY - Area of the profile for calculating the shear deformation due to a shear force parallel to ys. For example measured in mm². If given, the shear deformation area ys shall be non-negative. - - - - - - - Shear Deformation Area Y - - - - - - - MaximumSectionModulusY - Bending resistance about the ys axis at the point with maximum zs ordinate. For example measured in mm³. - - - - - - - Maximum Section Modulus Y - - - - - - - MinimumSectionModulusY - Bending resistance about the ys axis at the point with minimum zs ordinate. For example measured in mm³. - - - - - - - Minimum Section Modulus Y - - - - - - - MaximumSectionModulusZ - Bending resistance about the zs axis at the point with maximum ys ordinate. For example measured in mm³. - - - - - - - Maximum Section Modulus Z - - - - - - - MinimumSectionModulusZ - Bending resistance about the zs axis at the point with minimum ys ordinate. For example measured in mm³. - - - - - - - Minimum Section Modulus Z - - - - - - - TorsionalSectionModulus - Torsional resistance (about xs). For example measured in mm³. - - - - - - - Torsional Section Modulus - - - - - - - ShearAreaZ - Area of the profile for calculating the shear stress due to shear force parallel to the section analysis axis zs. For example measured in mm². If given, the shear area zs shall be non-negative. - - - - - - - Shear Area Z - - - - - - - ShearAreaY - Area of the profile for calculating the shear stress due to shear force parallel to the section analysis axis ys. For example measured in mm². If given, the shear area ys shall be non-negative. - - - - - - - Shear Area Y - - - - - - - PlasticShapeFactorY - Ratio of plastic versus elastic bending moment capacity about the section analysis axis ys. A dimensionless value. - - - - - - - Plastic Shape Factor Y - - - - - - - PlasticShapeFactorZ - Ratio of plastic versus elastic bending moment capacity about the section analysis axis zs. A dimensionless value. - - - - - - - Plastic Shape Factor Z - - - - - - - - - - - - - Pset_ProjectOrderChangeOrder - A change order is an instruction to make a change to a product or work being undertake. Note that the change order status is defined in the same way as a work order status since a change order implies a work requirement. - - - IfcProjectOrder/CHANGEORDER - - IfcProjectOrder/CHANGEORDER - - - ReasonForChange - A description of the problem for why a change is needed. - - - - - - - Reason For Change - 変更理由 - - - - 変更が必要となる問題の記述。 - - - - BudgetSource - The budget source requested. - - - - - - - Budget Source - 予算源 - - - - 要求された予算の出所・源。 - - - - - - 変更指示は、製品または引き受けている作業に変化を生じさせる指示。変更指示状態は、作業指示状態と同様な手段で定義される。変更指示は作業要求を必要とするからである。 - - - - - Pset_ProjectOrderMaintenanceWorkOrder - A MaintenanceWorkOrder is a detailed description of maintenance work that is to be performed. Note that the Scheduled Frequency property of the maintenance work order is used when the order is required as an instance of a scheduled work order. - - - IfcProjectOrder/MAINTENANCEWORKORDER - - IfcProjectOrder/MAINTENANCEWORKORDER - - - ProductDescription - A textual description of the products that require the work. - - - - - - - Product Description - - - - - - - WorkTypeRequested - Work type requested in circumstances where there are categorizations of types of work task. It could be used to identify a remedial task, minor work task, electrical task etc. - - - - - - - Work Type Requested - - - - - - - ContractualType - The contractual type of the work. - - - - - - - Contractual Type - - - - - - - IfNotAccomplished - Comments if the job is not accomplished. - - - - - - - If Not Accomplished - - - - - - - MaintenaceType - Identifies the predefined types of maintenance that can be done from which the type that generates the maintenance work order may be set where: - -ConditionBased: generated as a result of the condition of an asset or artefact being less than a determined value. -Corrective: generated as a result of an immediate and urgent need for maintenance action. -PlannedCorrective: generated as a result of immediate corrective action being needed but with sufficient time available for the work order to be included in maintenance planning. -Scheduled: generated as a result of a fixed, periodic maintenance requirement. - - - - CONDITIONBASED - CORRECTIVE - PLANNEDCORRECTIVE - SCHEDULED - OTHER - NOTKNOWN - UNSET - - - - CONDITIONBASED - - Condition Based - - - - - - - CORRECTIVE - - Corrective - - - - - - - PLANNEDCORRECTIVE - - Planned Corrective - - - - - - - SCHEDULED - - Scheduled - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Maintenace Type - - - - - - - FaultPriorityType - Identifies the predefined types of priority that can be assigned from which the type may be set where: - -High: action is required urgently. -Medium: action can occur within a reasonable period of time. -Low: action can occur when convenient. - - - - HIGH - MEDIUM - LOW - OTHER - NOTKNOWN - UNSET - - - - HIGH - - High - - - - - - - MEDIUM - - Medium - - - - - - - LOW - - Low - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Fault Priority Type - - - - - - - LocationPriorityType - Identifies the predefined types of priority that can be assigned from which the type may be set where: - -High: action is required urgently. -Medium: action can occur within a reasonable period of time. -Low: action can occur when convenient. - - - - HIGH - MEDIUM - LOW - OTHER - NOTKNOWN - UNSET - - - - HIGH - - High - - - - - - - MEDIUM - - Medium - - - - - - - LOW - - Low - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Location Priority Type - - - - - - - ScheduledFrequency - The period of time between expected instantiations of a work order that may have been predefined. - - - - - - - Scheduled Frequency - - - - - - - - - - - - - Pset_ProjectOrderMoveOrder - Defines the requirements for move orders. Note that the move order status is defined in the same way as a work order status since a move order implies a work requirement. - - - IfcProjectOrder/MOVEORDER - - IfcProjectOrder/MOVEORDER - - - SpecialInstructions - Special instructions that affect the move. - - - - - - - Special Instructions - 特別指示 - - - - 移動・引っ越しに影響する特別な指示。 - - - - - - 移動・引っ越しへの必要条件を定義する。注:移動指示は、作業の必要条件を含むので、移動命令状態は、作業指示状態と同様な手段で定義される。 - - - - - Pset_ProjectOrderPurchaseOrder - Defines the requirements for purchase orders in a project. - - - IfcProjectOrder/PURCHASEORDER - - IfcProjectOrder/PURCHASEORDER - - - IsFOB - Indication of whether contents of the purchase order are delivered 'Free on Board' (= True) or not (= False). FOB is a shipping term which indicates that the supplier pays the shipping costs (and usually also the insurance costs) from the point of manufacture to a specified destination, at which point the buyer takes responsibility. - - - - - - - Is FOB - - - - - - - ShipMethod - Method of shipping that will be used for goods or services. - - - - - - - Ship Method - - - - - - - - - - - - - Pset_ProjectOrderWorkOrder - Defines the requirements for purchase orders in a project. - - - IfcProjectOrder/WORKORDER - - IfcProjectOrder/WORKORDER - - - ProductDescription - A textual description of the products that require the work. - - - - - - - Product Description - - - - - - - WorkTypeRequested - Work type requested in circumstances where there are categorizations of types of work task. It could be used to identify a remedial task, minor work task, electrical task etc. - - - - - - - Work Type Requested - - - - - - - ContractualType - The contractual type of the work. - - - - - - - Contractual Type - - - - - - - IfNotAccomplished - Comments if the job is not accomplished. - - - - - - - If Not Accomplished - - - - - - - - - - - - - Pset_PropertyAgreement - A property agreement is an agreement that enables the occupation of a property for a period of time. - -The objective is to capture the information within an agreement that is relevant to a facilities manager. Design and construction information associated with the property is not considered. A property agreement may be applied to an instance of IfcSpatialStructureElement including to compositions defined through the IfcSpatialStructureElement.Element.CompositionEnum. - -Note that the associated actors are captured by the IfcOccupant class. - - - IfcSpatialStructureElement - - IfcSpatialStructureElement - - - AgreementType - Identifies the predefined types of property agreement from which the type required may be set. - - - - ASSIGNMENT - LEASE - TENANT - OTHER - NOTKNOWN - UNSET - - - - ASSIGNMENT - - Assignment - - - - - - - LEASE - - Lease - - - - - - - TENANT - - Tenant - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Agreement Type - - - - - - - Identifier - The identifier assigned to the agreement for the purposes of tracking. - - - - - - - Identifier - - - - - - - Version - The version number of the agreement that is identified. - - - - - - - Version - - - - - - - VersionDate - The date on which the version of the agreement became applicable. - - - - - - - Version Date - - - - - - - PropertyName - Addressing details of the property as stated within the agreement. - - - - - - - Property Name - - - - - - - CommencementDate - Date on which the agreement commences. - - - - - - - Commencement Date - - - - - - - TerminationDate - Date on which the agreement terminates. - - - - - - - Termination Date - - - - - - - Duration - The period of time for the lease. - - - - - - - Duration - - - - - - - Options - A statement of the options available in the agreement. - - - - - - - Options - - - - - - - ConditionCommencement - Condition of property provided on commencement of the agreement e.g. cold shell, warm lit shell, broom clean, turn-key. - - - - - - - Condition Commencement - - - - - - - Restrictions - Restrictions that may be placed by a competent authority. - - - - - - - Restrictions - - - - - - - ConditionTermination - Condition of property required on termination of the agreement e.g. cold shell, warm lit shell, broom clean, turn-key. - - - - - - - Condition Termination - - - - - - - - - - - - - Pset_ProtectiveDeviceBreakerUnitI2TCurve - A coherent set of attributes representing a curve for let-through energy of a protective device. Note - A protective device may be associated with different instances of this pSet providing information related to different basic characteristics - - - IfcProtectiveDevice - - IfcProtectiveDevice - - - VoltageLevel - The voltage levels of the protective device for which the data of the instance is valid. More than one value may be selected in the enumeration. - - - - U230 - U400 - U440 - U525 - U690 - U1000 - OTHER - NOTKNOWN - UNSET - - - - U230 - - U230 - - - - - - - U400 - - U400 - - - - - - - U440 - - U440 - - - - - - - U525 - - U525 - - - - - - - U690 - - U690 - - - - - - - U1000 - - U1000 - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Voltage Level - 電圧レベル - 전압 레벨 - - - - 保護装置が作動する電圧レベルを選択。 -[U230,U400,U525,U690,U1000,その他,不明,無] - 보호 장치가 작동 전압 레벨을 선택합니다. [U230, U400, U525, U690, U1000, 기타 알 수 없음, 무 - - - - NominalCurrent - A set of nominal currents in [A] for which the data of this instance is valid. At least one value shall be provided. Any value in the set shall not exceed the value of the -UltimateRatedCurrent associated with the same breaker unit. - - - - - - - Nominal Current - 定格電流 - 정격전류 - - - - 定格電流[A]を少なくても1つ値をセットしなければならない。 - セット内の任意の値の値を超えてはならない。 - 定格電流は、同じブレーカ部に関連付けられている。 - 정격 전류 [A]를 적어도 1 개의 값을 설정해야한다. 동일한 차단기부와 연결된 정격전류는세트 내의 임의의 값은 초과할 수 없다. - - - - BreakerUnitCurve - A curve that establishes the let through energy of a breaker unit when a particular prospective current is applied. Note that the breaker unit curve is defined within a Cartesian coordinate system and this fact must be asserted within the property set: - -(1) Defining value: ProspectiveCurrent: A list of minimum 2 and maximum 16 numbers providing the currents in [A] for points in the current/I2t log/log coordinate space. The curve is drawn as a straight line between two consecutive points. -(2) Defined value: LetThroughEnergy: A list of minimum 2 and maximum 16 numbers providing the let-through energy, I2t, in [A2s] for points in the current/I2t log/log coordinate space. The curve is drawn as a straight line between two consecutive points. - - - - - - - - - - - - - Breaker Unit Curve - 遮断機曲線 - 차단기 곡선 - - - - 適用された電流と通過する遮断機のエネルギーを示した曲線 - (1)定義値:ProspectiveCurrent(固有電流): - 電流/I2tで示される最小2から最大8のリストで電流[A]を定義します。 - カーブが連続する2つの点を結ぶ直線として描かれています。 - - - (2)定義値:LetThroughEnergy: - 電流/I2tで示される最小2から最大8のリストで通過エネルギー電流[[A2s]を定義します。 - カーブが連続する2つの点を結ぶ直線として描かれています。 - 적용된 전류 통과 차단기의 에너지를 나타낸 곡선 (1) 정의 값 : ProspectiveCurrent (고유 전류) : 전류 / I2t에 표시된 최소 2에서 최대 8 개의 목록에서 전류 [A]를 정의합니다. 커브가 연속되는 두 개의 점을 연결하는 직선으로 그려져 있습니다. (2) 정의 값 : LetThroughEnergy : 전류 / I2t에 표시된 최소 2에서 최대 8 개의 목록에서 통과 에너지 전류 [A2s을 정의합니다. 커브가 연속되는 두 개의 점을 연결하는 직선으로 그려져 있습니다. - - - - - - 保護装置の通電エネルギーの曲線を表す一連のプロパティセット。 -注記-保護装置は、根本的な特性に関連付けられた提供されたプロパティの情報は、 異なる実態に関連しているかもしれません。                  - - - - - Pset_ProtectiveDeviceBreakerUnitI2TFuseCurve - A coherent set of attributes representing curves for melting- and breaking-energy of a fuse. Note - A fuse may be associated with different instances of this property set providing information related to different basic characteristics. - - - IfcProtectiveDevice - - IfcProtectiveDevice - - - VoltageLevel - The voltage levels of the fuse for which the data of the instance is valid. More than one value may be selected in the enumeration. - - - - U230 - U400 - U440 - U525 - U690 - U1000 - OTHER - NOTKNOWN - UNSET - - - - U230 - - U230 - - - - - - - U400 - - U400 - - - - - - - U440 - - U440 - - - - - - - U525 - - U525 - - - - - - - U690 - - U690 - - - - - - - U1000 - - U1000 - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Voltage Level - 電圧レベル - 전압레벨 - - - - 電圧レベルを選択。 - 전압 레벨을 선택합니다. - - - - BreakerUnitFuseMeltingCurve - A curve that establishes the energy required to melt the fuse of a breaker unit when a particular prospective melting current is applied. Note that the breaker unit fuse melting curve is defined within a Cartesian coordinate system and this fact must be: - -(1) Defining value: ProspectiveCurrentMelting :A list of minimum 2 and maximum 8 numbers providing the currents in [A] for points in the -current/melting_energy log/log coordinate space. The curve is drawn as a straight line between two consecutive points. -(2) Defined value: MeltingEnergy: A list of minimum 2 and maximum 8 numbers providing the energy whereby the fuse is starting to melt, I2t, in [A2s] for points in the current/melting_energy log/log coordinate space. The curve is drawn as a straight line between two consecutive points. - - - - - - - - - - - - - Breaker Unit Fuse Melting Curve - フューズ遮断機融解曲線 - 퓨즈 차단기 융해 곡선 - - - - 想定外の電流が流れた時に遮断機のフューズを溶かすために必要なエネルギーを表す曲線。 - 想定外の電流が流れた時に遮断機のフューズを溶かすために必要なエネルギーを表す曲線。 - - (1)定義値:融解電流:電流/ 融解エネルギーで示される最小2から最大8のリストで電流[A]を定義します。 - カーブが連続する2つの点を結ぶ直線として描かれています。 - (2)定義値:融解エネルギー:/電流/融解エネルギーの位置[A2s]で示される2~16の想定されるフューズが溶解始める電流[A2s]を定義します。カーブが連続する2つの点を結ぶ直線として描かれています。 - 예상치 못한 전류가 흐를 때 차단기의 퓨즈를 녹이는 데 필요한 에너지를 나타내는 곡선. 예상외의 전류가 흘렀을 때에 차단기의 퓨즈를 녹이는 데 필요한 에너지를 나타내는 곡선. (1) 정의 값 : 융해 전류 : 전류 / 융해 에너지에 표시된 최소 2에서 최대 8 개의 목록에서 전류 [A]를 정의합니다. 커브가 연속되는 두 개의 점을 연결하는 직선으로 그려져 있습니다. (2) 정의 값 : 융해 에너지 :/ 전류 / 융해 에너지의 위치 [A2s에서 나타나는 2 ~ 16 예상되는 퓨즈가 용해 시작 전류 [A2s을 정의합니다. 커브가 연속되는 두 개의 점을 연결하는 직선으로 그려져 있습니다. - - - - BreakerUnitFuseBreakingingCurve - A curve that establishes the let through breaking energy of a breaker unit when a particular prospective breaking current is applied. Note that the breaker unit fuse breaking curve is defined within a Cartesian coordinate system and this fact must be: - -(1) Defining value: ProspectiveCurrentBreaking: A list of minimum 2 and maximum 8 numbers providing the currents in [A] for points in the -current/breaking energy log/log coordinate space. The curve is drawn as a straight line between two consecutive points. -(2) Defined value: LetThroughBreakingEnergy: A list of minimum 2 and maximum 8 numbers providing the breaking energy whereby the fuse has provided a break, I2t, in [A2s] for points in the current/breakting_energy log/log coordinate space. The curve is drawn as a straight line between two consecutive. - - - - - - - - - - - - - Breaker Unit Fuse Breakinging Curve - フューズ遮断機融解曲線 - 퓨즈 차단기 융해 곡선 - - - - 想定外の電流が流れた時に遮断機のフューズを溶かすために必要なエネルギーを表す曲線。 - 想定外の電流が流れた時に遮断機のフューズを溶かすために必要なエネルギーを表す曲線。 - - (1)定義値:融解電流:電流/ 融解エネルギーで示される最小2から最大8のリストで電流[A]を定義します。 - カーブが連続する2つの点を結ぶ直線として描かれています。 - (2)定義値:融解エネルギー:/電流/融解エネルギーの位置[A2s]で示される2~16の想定されるフューズが溶解始める電流[A2s]を定義します。カーブが連続する2つの点を結ぶ直線として描かれています。 - 예상치 못한 전류가 흐를 때 차단기의 퓨즈를 녹이는 데 필요한 에너지를 나타내는 곡선. 예상외의 전류가 흘렀을 때에 차단기의 퓨즈를 녹이는 데 필요한 에너지를 나타내는 곡선. (1) 정의 값 : 융해 전류 : 전류 / 융해 에너지에 표시된 최소 2에서 최대 8 개의 목록에서 전류 [A]를 정의합니다. 커브가 연속되는 두 개의 점을 연결하는 직선으로 그려져 있습니다. (2) 정의 값 : 융해 에너지 :/ 전류 / 융해 에너지의 위치 [A2s에서 나타나는 2 ~ 16 예상되는 퓨즈가 용해 시작 전류 [A2s을 정의합니다. 커브가 연속되는 두 개의 점을 연결하는 직선으로 그려져 있습니다. - - - - - - フューズの融解-遮断エネルギー曲線を表す一連のプロパティセット。 -注記-フューズは、根本的な特性に関連付けられた提供されたプロパティの情報は、 異なる実態に関連しているかもしれません。                  - - - - - Pset_ProtectiveDeviceBreakerUnitIPICurve - A coherent set of attributes representing curves for let-through currents of a protective device. Note - A protective device may be associated with different instances of this pSet providing information related to different basic characteristics. - - - IfcProtectiveDevice - - IfcProtectiveDevice - - - VoltageLevel - The voltage level of the protective device for which the data of the instance is valid. More than one value may be selected in the enumeration. - - - - U230 - U400 - U440 - U525 - U690 - U1000 - OTHER - NOTKNOWN - UNSET - - - - U230 - - U230 - - - - - - - U400 - - U400 - - - - - - - U440 - - U440 - - - - - - - U525 - - U525 - - - - - - - U690 - - U690 - - - - - - - U1000 - - U1000 - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Voltage Level - 電圧レベル - 전압 레벨 - - - - 電圧レベルを選択。 - 전압 레벨을 선택합니다. - - - - NominalCurrent - A set of nominal currents in [A] for which the data of this instance is valid. At least one value shall be provided. Any value in the set shall not exceed the value of the -UltimateRatedCurrent associated with the same breaker unit. - - - - - - - Nominal Current - 定格電流 - 정격전류 - - - - 定格電流[A]を少なくても1つ値をセットしなければならない。 - セット内の任意の値の値を超えてはならない。 - 定格電流は、同じブレーカ部に関連付けられている。 - 정격 전류 [A]를 적어도 1 개의 값을 설정해야한다. 동일한 차단기부와 연결된 정격전류는세트 내의 임의의 값은 초과할 수 없다. - - - - BreakerUnitIPICurve - A curve that establishes the let through peak current of a breaker unit when a particular prospective current is applied. Note that the breaker unit IPI curve is defined within a Cartesian coordinate system and this fact must be asserted within the property set: - -(1) Defining value: A list of minimum 2 and maximum 16 numbers providing the currents in [A] for points in the I/Î log/log coordinate space. The curve is drawn as a straight line between two consecutive points. -(2) Defined value: A list of minimum 2 and maximum 16 numbers providing the let-through peak currents, Î, in [A] for points in the I/Î log/log coordinate space. The curve is drawn as a straight line between two consecutive points. - - - - - - - - - - - - - Breaker Unit IPICurve - 遮断機曲線 - 차단기 곡선 - - - - 適用された電流と通過する遮断機のエネルギーを示した曲線 - (1)定義値:ProspectiveCurrent(固有電流): - 電流/I2tで示される最小2から最大8のリストで電流[A]を定義します。 - カーブが連続する2つの点を結ぶ直線として描かれています。 - - - (2)定義値:LetThroughEnergy: - 電流/I2tで示される最小2から最大8のリストで通過エネルギー電流[[A2s]を定義します。 - カーブが連続する2つの点を結ぶ直線として描かれています。 - 적용된 전류 통과 차단기의 에너지를 나타낸 곡선 (1) 정의 값 : ProspectiveCurrent (고유 전류) : 전류 / I2t에 표시된 최소 2에서 최대 8 개의 목록에서 전류 [A]를 정의합니다. 커브가 연속되는 두 개의 점을 연결하는 직선으로 그려져 있습니다. (2) 정의 값 : LetThroughEnergy : 전류 / I2t에 표시된 최소 2에서 최대 8 개의 목록에서 통과 에너지 전류 [A2s을 정의합니다. 커브가 연속되는 두 개의 점을 연결하는 직선으로 그려져 있습니다. - - - - - - プロパティセット定義文 -保護装置の通電エネルギーの曲線を表す一連のプロパティセット -注記-保護装置は、根本的な特性に関連付けられた提供されたプロパティの情報は、 異なる実態に関連しているかもしれません。                  - - - - - Pset_ProtectiveDeviceBreakerUnitTypeMCB - A coherent set of attributes representing the breaking capacities of an MCB. Note - A protective device may be associated with different instances of this property set providing information related to different basic characteristics. - - - IfcProtectiveDevice/CIRCUITBREAKER - - IfcProtectiveDevice/CIRCUITBREAKER - - - PowerLoss - The power loss in [W] per pole of the MCB when the nominal current is flowing through the MCB. - - - - - - - Power Loss - 電力損失 - 전력 손실 - - - - 定格電流がMCBに流れている時のMCBの極当たりの電力損失[W]。 - 정격 전류가 MCB 흐르고있을 때의 MCB 극 당 전력 손실 [W]. - - - - VoltageLevel - The voltage levels for which the data of the instance is valid. More than one value may be selected in the enumeration. - - - - U230 - U400 - U440 - U525 - U690 - U1000 - OTHER - NOTKNOWN - UNSET - - - - U230 - - U230 - - - - - - - U400 - - U400 - - - - - - - U440 - - U440 - - - - - - - U525 - - U525 - - - - - - - U690 - - U690 - - - - - - - U1000 - - U1000 - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Voltage Level - 電圧レベル - 전압 레벨 - - - - 電圧レベルを選択。 - 전압레벨을 선택합니다. - - - - NominalCurrents - A set of nominal currents in [A] for which the data of this instance is valid. At least one value shall be provided. Any value in the set shall not exceed the value of the -UltimateRatedCurrent associated with the same breaker unit. - - - - - - - - - Nominal Currents - 定格電流 - 정격 전류 - - - - 定格電流[A]を少なくても1つ値をセットしなければならない。 - セット内の任意の値の値を超えてはならない。 - 定格電流は、同じブレーカ部に関連付けられている。 - 정격 전류 [A]를 적어도 2 개의 값을 설정해야한다. 동일한 차단기부와 연결된 정격전류는세트 내의 임의의 값은 초과할 수 없다. - - - - ICU60947 - The ultimate breaking capacity in [A] for an MCB tested in accordance with the IEC 60947 series. - - - - - - - ICU60947 - 定格限界短絡遮断容量 - 정격 한계 단락 차단 용량 - - - - IECの60947シリーズに基づいてテストされたMCBの定格限界短絡遮断容量を[A]で設定。 - IEC의 60948 시리즈를 기반으로 시험한 MCB의 정격 한계 단락 차단 용량 [A]로 설정. - - - - ICS60947 - The service breaking capacity in [A] for an MCB tested in accordance with the IEC 60947 series. - - - - - - - ICS60947 - 定格使用短絡遮断容量 - 정격 사용 단락 차단 용량 - - - - IECの60947シリーズに基づいてテストされたMCBの定格使用短絡遮断容量を[A]で設定。 - IEC의 60947 시리즈를 기반으로 시험한 MCB의 정격 사용 단락 차단 용량 [A]로 설정. - - - - ICN60898 - The nominal breaking capacity in [A] for an MCB tested in accordance with the IEC 60898 series. - - - - - - - ICN60898 - ICN60898 - ICN60898 - - - - IECの60898シリーズに基づいてテストされたMCBの定格遮断容量を[A]で設定。 - IEC의 60898 시리즈를 기반으로 시험한 MCB의 정격 차단 용량 [A]로 설정. - - - - ICS60898 - The service breaking capacity in [A] for an MCB tested in accordance with the IEC 60898 series. - - - - - - - ICS60898 - ICS60898 - ICS60898 - - - - IECの60898シリーズに基づいてテストされたMCBの遮断使用容量を[A]で設定。 - IEC의 60898 시리즈를 기반으로 시험한 MCB 차단 사용 용량 [A]로 설정. - - - - - - - - - - Pset_ProtectiveDeviceBreakerUnitTypeMotorProtection - A coherent set of attributes representing different capacities of a a motor protection device, defined in accordance with IEC 60947. Note - A protective device may be associated with different instances of this Pset. - - - IfcProtectiveDevice - - IfcProtectiveDevice - - - PerformanceClasses - A set of designations of performance classes for the breaker unit for which the data of this instance is valid. A breaker unit being a motor protection device may be -constructed for different levels of breaking capacities. A maximum of 7 different -performance classes may be provided. Examples of performance classes that may be specified include B, C, N, S, H, L, V. - - - - - - - - - Performance Classes - 能力クラス - 능력클래스 - - - - モータ保護を行う開閉装置は、能力が違う最大7種類がある。名称の例として、B, C, N, S, H, L, Vが含まれる。 - 모터 보호하는 개폐 장치는 능력이 다른 최대 7 종류가있다. 이름의 예로는, B, C, N, S, H, L, V가 포함된다. - - - - VoltageLevel - The voltage levels for which the data of the instance is valid. More than one value may be selected in the enumeration. - - - - U230 - U400 - U440 - U525 - U690 - U1000 - OTHER - NOTKNOWN - UNSET - - - - U230 - - U230 - - - - - - - U400 - - U400 - - - - - - - U440 - - U440 - - - - - - - U525 - - U525 - - - - - - - U690 - - U690 - - - - - - - U1000 - - U1000 - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Voltage Level - 電圧レベル - 전압레벨 - - - - 電圧レベルを選択。 - 전압 레벨을 선택합니다. - - - - ICU60947 - The ultimate breaking capacity in [A] for a circuit breaker or motor protection device tested in accordance with the IEC 60947 series. - - - - - - - ICU60947 - ICU60947 - ICU60947 - - - - IECの60947シリーズに基づいてテスト配線用遮断機またはモータ保護装置のための遮断容量を[A]で設定。 - IEC의 60947 시리즈를 기반으로 테스트 배선용 차단기 또는 모터 보호 장치를위한 차단 용량 [A]로 설정. - - - - ICS60947 - The service breaking capacity in [A] for a circuit breaker or motor protection device tested in accordance with the IEC 60947 series. - - - - - - - ICS60947 - ICS60947 - ICS60947 - - - - IECの60947シリーズに基づいてテスト配線用遮断機またはモータ保護装置のための遮断容量サービスを[A]で設定。 - IEC의 60947 시리즈를 기반으로 테스트 배선용 차단기 또는 모터 보호 장치를위한 차단 용량 서비스를 [A]로 설정. - - - - ICW60947 - The thermal withstand current in [A] for a circuit breaker or motor protection device tested in accordance with the IEC 60947 series. The value shall be related to 1 s. - - - - - - - ICW60947 - ICW60947 - ICW60947 - - - - IEC60947シリーズに基づいてテストした配線遮断機またはモータ保護装置のための電流[A]に耐える温度。 - 値は、1sで与えられる。 - IEC60947 시리즈를 기반으로 테스트 배선 차단기 또는 모터 보호 장치를위한 전류 [A]에 견디는 온도 값은 1s 주어진다. - - - - ICM60947 - The making capacity in [A] for a circuit breaker or motor protection device tested in accordance with the IEC 60947 series. - - - - - - - ICM60947 - ICM60947 - ICM60947 - - - - IECの60947シリーズに基づいてテストした配線遮断機またはモータ保護装置のためので作る能力[A]。 - IEC의 60947 시리즈를 기반으로 테스트 배선 차단기 또는 모터 보호 장치를위한 만드는 능력 [A]. " - - - - - - AAのモータ保護装置の異なる容量を表す属性の一貫したセットは、IEC60947に基づいて定義されています。 - 注-保護装置は、このプロセッサセットの別のインスタンスに関連付けられている可能性があります。 - - - - - Pset_ProtectiveDeviceOccurrence - Properties that are applied to an occurrence of a protective device. - - - IfcProtectiveDevice - - IfcProtectiveDevice - - - PoleUsage - Pole usage. - - - - 1P - 2P - 3P - 4P - 1PN - 3PN - OTHER - NOTKNOWN - UNSET - - - - 1P - - 1 P - - - - - - - 2P - - 2 P - - - - - - - 3P - - 3 P - - - - - - - 4P - - 4 P - - - - - - - 1PN - - 1 PN - - - - - - - 3PN - - 3 PN - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Pole Usage - - - - - - - LongTimeFunction - Applying long time function -A flag indicating that the long time function (i.e. the thermal tripping) of the device is used. The value should be set to TRUE for all devices except those that allows the Long time function of the device not to be used. - - - - - - - Long Time Function - - - - - - - ShortTimeFunction - Applying short time function A flag indicating that the short time function of the device is used. The value should be set to FALSE for devices not having a short time function, or if the short time function is not selected to be used. - - - - - - - Short Time Function - - - - - - - ShortTimei2tFunction - Applying short time i2t function. A flag indicating that the I2t short time function of the device is used. The value should be set to TRUE only if the I2t function  is explicitly selected for the device. - - - - - - - Short Timei2t Function - - - - - - - GroundFaultFunction - Applying ground fault function. A flag indicating that the ground fault function of the device is used. The value should be set to FALSE for devices not having a ground fault function, or if the ground fault function is not selected to be used. - - - - - - - Ground Fault Function - - - - - - - GroundFaulti2tFunction - Applying ground fault i2t function. A flag indicating that the I2t ground fault function of the device is used. The value should be set to TRUE only if the I2t function is explicitly selected for the device. - - - - - - - Ground Faulti2t Function - - - - - - - LongTimeCurrentSetValue - Long time current set value. The set value of the long time tripping current if adjustable. - - - - - - - Long Time Current Set Value - - - - - - - ShortTimeCurrentSetValue - Short time current set value. The set value of the long time tripping current if adjustable. - - - - - - - Short Time Current Set Value - - - - - - - InstantaneousCurrentSetValue - Instantaneous current set value. The set value of the instantaneous tripping current if adjustable. - - - - - - - Instantaneous Current Set Value - - - - - - - GroundFaultCurrentSetValue - Ground fault current set value. The set value of the ground tripping current if adjustable. - - - - - - - Ground Fault Current Set Value - - - - - - - LongTimeDelay - Long time delay. The set value of the long time time-delay if adjustable. - - - - - - - Long Time Delay - - - - - - - ShortTimeTrippingTime - Short time tripping time. The set value of the short time tripping time if adjustable. - - - - - - - Short Time Tripping Time - - - - - - - InstantaneousTrippingTime - Instantaneous tripping time. The set value of the instantaneous tripping time if adjustable. - - - - - - - Instantaneous Tripping Time - - - - - - - GroundFaultTrippingTime - Ground fault tripping time. The set value of the ground fault tripping current if adjustable. - - - - - - - Ground Fault Tripping Time - - - - - - - - - - - - - Pset_ProtectiveDeviceTrippingCurve - Tripping curves are applied to thermal, thermal magnetic or MCB_RCD tripping units (i.e. tripping units having type property sets for thermal, thermal magnetic or MCB_RCD tripping defined). They are not applied to electronic tripping units. - - - IfcProtectiveDevice - - IfcProtectiveDevice - - - TrippingCurveType - The type of tripping curve that is represented by the property set. - - - - UPPER - LOWER - OTHER - NOTKNOWN - UNSET - - - - UPPER - - Upper - - - - - - - LOWER - - Lower - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Tripping Curve Type - 動作特性曲線のタイプ - 동작 특성 곡선의 유형 - - - - 動作特性曲線のタイプを指定。 - 동작 특성 곡선의 유형을 지정합니다. - - - - TrippingCurve - A curve that establishes the release time of a tripping unit when a particular prospective current is applied. Note that the tripping curve is defined within a Cartesian coordinate system and this fact must be asserted within the property set: - -(1) Defining value is the Prospective Current which is a list of minimum 2 and maximum 16 numbers providing the currents in [x In] for points in the current/time log/log coordinate space. The curve is drawn as a straight line between two consecutive points. -(2) Defined value is a list of minimum 2 and maximum 16 numbers providing the release_time in [s] for points in the current/time log/log coordinate space. The curve is drawn as a straight line between two consecutive points. Note that a defined interpolation. - - - - - - - - - - - - - Tripping Curve - 動作特性曲線 - 동작 특성 곡선 - - - - (1)電流/時間の位置[x In]で示される2~16の想定される電流値を定義する。 -(2)定義された値は、電流/時間の位置[s]で示される2~16の想定される放電時間。 - (1) 전류 / 시간 위치 [x In에서 나타나는 2 ~ 16 예상되는 전류 값을 정의한다. (2) 정의된 값은 전류 / 시간 위치 [s]로 표시되는 2 ~ 16 예상되는 방전 시간. - - - - - - プロパティセット定義文 -熱、熱磁気またはMCB_RCDトリップ装置のトリップ曲線 -(例えば、トリッピング装置は、熱,熱電磁,MCB_RCDのトリッピング定義されたプロパティセットタイプを持っている) -これらは、電子トリッピング装置に適用されない。 - - - - - Pset_ProtectiveDeviceTrippingFunctionGCurve - Tripping functions are applied to electronic tripping units (i.e. tripping units having type property sets for electronic tripping defined). They are not applied to thermal, thermal magnetic or RCD tripping units. -This property set represent the ground fault protection (G-curve) of an electronic protection device - - - IfcProtectiveDeviceTrippingUnit - - IfcProtectiveDeviceTrippingUnit - - - IsSelectable - Indication whether the S-function can be switched off or not. - - - - - - - Is Selectable - 切り替え - 전환 - - - - 装置の “ON-OFF”状態を電気的表示が切り替え可能かどうか。 - 장치"ON-OFF "상태를 전기적으로 표시가 교체 가능합니까? - - - - NominalCurrentAdjusted - An indication if the tripping currents of the short time protection is related to the nominal current multiplied with the actual setting of the current adjustment, if any, of the long time protection part of the protective device, or not. - - - - - - - Nominal Current Adjusted - 定格調整電流 - 정격전류조정 - - - - 電流によって、動作時間が短かかったり長かったりするかどうか。 - 전류 작동 시간의 여부 - - - - ExternalAdjusted - An indication if the ground fault protection may be adjusted according to an external current coil or not. - - - - - - - External Adjusted - 外部調整 - 외부조정 - - - - 外部調整が可能かどうか。 - 외부 조정이 가능합니까? - - - - ReleaseCurrent - The release current in [x In] for the initial tripping of the S-function. - - - - - - - Release Current - 放出電流 - 방출전류 - - - - 放出する電流は、S-functionの初期特性。 - 방출 전류는 S-function의 초기 특성. - - - - ReleaseTime - The release time in [s] for the initial tripping of the relevant part. This time indicates that for current lower than the indicated release current, the tripping time will be longer than the indicated release time. The value is given as a mean value. - - - - - - - Release Time - 放出時間 - 방출 시간 - - - - 関連する部分の初期トリップのための[s]が放出時間。 - このトリップ時間は、リリースの電流よりも低い電流の場合、指定された動作時間よりも長くなります。 - 値が平均値として与えられる。 - 관련 부분의 초기 여행을위한 [s]가 방출 시간. 이 트립 시간은 릴리스 전류보다 낮은 전류의 경우 지정된 동작 시간보다 길어집니다. 값을 평균으로 주어진다. - - - - CurrentTolerance1 - The tolerance for the current of time/current-curve in [%]. - - - - - - - Current Tolerance1 - 許容電流1 - 허용 전류1 - - - - 時間/特性曲線の許容範囲を[%]で指定。 - 시간 / 특성 곡선의 허용 범위를 [%]로 지정합니다. - - - - CurrentToleranceLimit1 - The time limit in [s] limiting the application of CurrentTolerance1, if any. If the value is set to 0, the value of the CurrentTolerance1 is valid for the whole time/current-curve. - - - - - - - Current Tolerance Limit1 - 許容電流限界1 - 허용전류한계1 - - - - 許容電流1を制限する時間制限。 -値が0の場合は、制限はない。 - 허용 전류 1 제한 시간 제한. 값이 0이면 제한이 없다. - - - - CurrentTolerance2 - The tolerance for the current of time/current-curve in [%] valid for times above CurrentTolereanceLimit1. - - - - - - - Current Tolerance2 - 許容電流2 - 허용전류 2 - - - - [%]で指定された時間/特性曲線の許容範囲は、上記の許容電流限界1の時間で有効です。 - [%]로 지정된 시간 / 특성 곡선의 허용 범위는 상기의 허용 전류 한계 1 시간에 유효합니다. - - - - IsCurrentTolerancePositiveOnly - Indication whether the value of CurrentTolerance1 is provided as a positive tolereance only or not. If not, the value is proved as a pluss/minus tolerance. - - - - - - - Is Current Tolerance Positive Only - 電流許容値 - 전류 허용 값 - - - - 許容電流限界1の値のみかどうか - 上記でない場合、電流許容値はプラス/マイナスした値。 - 허용 전류 한계 값 1 만 여부 위의 경우, 전류 허용 값은 플러스 / 마이너스 값. - - - - TimeTolerance1 - The tolerance for the time of time/current-curve in [%]. - - - - - - - Time Tolerance1 - 許容時間1 - 허용 시간1 - - - - [%]で時間/特性曲線の許容時間を設定 - [%] 시간 / 특성 곡선의 허용 시간을 설정 - - - - TimeToleranceLimit1 - The current limit in [x In] limiting the application of TimeTolerance1, if any. If the value is set to 0, the value of the TimeTolerance1 is valid for the whole time/current-curve. - - - - - - - Time Tolerance Limit1 - 許容限界時間1 - 허용 한계시간1 - - - - 許容時間1を制限する電流制限値。 -値が0の場合は、制限はない。 - 허용 시간 1를 제한하는 전류 제한. 값이 0이면 제한이 없다 - - - - TimeTolerance2 - The tolerance for the time of the time/current-curve in [%] valid for currents above TimeToleranceLimit1. - - - - - - - Time Tolerance2 - 許容時間2 - 허용시간 2 - - - - [%]で指定された時間/特性曲線の許容範囲は、上記の許容電流限界1の電流で有効です。 - [%]로 지정된 시간 / 특성 곡선의 허용 범위는 상기의 허용 전류 한계 1의 전류로 사용할 수 있습니다. - - - - IsTimeTolerancePositiveOnly - Indication whether the value of TimeTolerance1 is provided as a positive tolereance only or not. If not, the value is proved as a pluss/minus tolerance. - - - - - - - Is Time Tolerance Positive Only - 時間許容値 - 시간 허용치 - - - - 許容時間1の値のみかどうか - 上記でない場合、時間許容値は、プラス/マイナスした値。 - 허용 시간 1 값만 여부 위의 경우 시간 허용치는 플러스 / 마이너스 값. - - - - ReleaseCurrentI2tStart - The release current in [x In] for the start point of the I2t tripping curve of the G-function, if any. - - - - - - - Release Current I2t Start - I2tの開始放流電流 - I2t 시작 방류 전류 - - - - G関数の特性曲線I2tの始点[x In]が開始放流電流。 - G 함수 특성 곡선 I2t의 시작점 [x In]가 시작 방류 전류. - - - - ReleaseTimeI2tStart - The release time in [s] for the start point of the I2t tripping curve of the G-function, if any. - - - - - - - Release Time I2t Start - I2tの開始放流時間 - I2t 시작 방류 시간 - - - - G関数の特性曲線I2tの始点[s]が開始放流時間。 - G 함수 특성 곡선 I2t의 시작점 [s]가 시작 방류 시간. - - - - ReleaseCurrentI2tEnd - The release current in [x In] for the end point of the I2t tripping curve of the G-function, if any. The value of ReleaseCurrentI2tEnd shall be larger than ReleaseCurrentI2tStart. - - - - - - - Release Current I2t End - I2tの終了放流電流 - I2t 종료 방류 전류 - - - - G関数のI2の特性曲線のエンドポイントの[s]を放流電流。 - I2tの終了放流電流がI2tの開始放流電流よりも低くしなければならない。 - G 함수 I2의 특성 곡선의 끝점에서 s를 방류 전류. I2t 종료 방류 전류가 I2t 시작 방류 전류보다 낮게해야한다. " - - - - ReleaseTimeI2tEnd - The release time in [s] for the end point of the I2 tripping curve of the G-function, if any. The value of ReleaseTimeI2tEnd shall be lower than ReleaseTimeI2tStart. - - - - - - - Release Time I2t End - I2tの終了放流時間 - I2t 종료 방류 시간 - - - - G関数のI2の特性曲線のエンドポイントの[s]を放流時間。 - I2tの終了放流電流時間がI2tの開始放流時間よりも低くしなければならない。 - G 함수 I2의 특성 곡선의 끝점에서 s를 방류 시간. I2t 종료 방류 전류 시간이 I2t 시작 방류 시간보다 낮게해야한다 - - - - - - トリッピング関数は、電子トリッピング装置に適用される。 -(例えば、トリッピング装置は、電子トリッピング定義されたプロパティセットタイプを持っている) -これらは、熱,熱電磁,RCDトリッピング装置に適用されない。 -このプロパティセットは、電子保護装置(G-curve)の地絡保護を表す。 - - - - - Pset_ProtectiveDeviceTrippingFunctionICurve - Tripping functions are applied to electronic tripping units (i.e. tripping units having type property sets for electronic tripping defined). They are not applied to thermal, thermal magnetic or RCD tripping units. -This property set represent the instantaneous time protection (I-curve) of an electronic protection device. - - - IfcProtectiveDeviceTrippingUnit - - IfcProtectiveDeviceTrippingUnit - - - IsSelectable - Indication whether the S-function can be switched off or not. - - - - - - - Is Selectable - 切り替え - 전환 - - - - 装置の “ON-OFF”状態を電気的表示が切り替え可能かどうか。 - 장치의 "ON-OFF"상태를 전기적으로 표시가 교체 가능합니까? - - - - NominalCurrentAdjusted - An indication if the tripping currents of the short time protection is related to the nominal current multiplied with the actual setting of the current adjustment, if any, of the long time protection part of the protective device, or not. - - - - - - - Nominal Current Adjusted - 定格調整電流 - 정격전류조정 - - - - 電流によって、動作時間が短かかったり長かったりするかどうか。 - 전류 작동 시간 길이 여부 - - - - ReleaseCurrent - The release current in [x In] for the initial tripping of the S-function. - - - - - - - Release Current - 放出電流 - 방출전류 - - - - 放出する電流は、S-functionの初期特性。 - 방출 전류는 S-function의 초기 특성. - - - - ReleaseTime - The release time in [s] for the initial tripping of the relevant part. This time indicates that for current lower than the indicated release current, the tripping time will be longer than the indicated release time. The value is given as a mean value. - - - - - - - Release Time - 放出時間 - 방출 시간 - - - - 関連する部分の初期トリップのための[s]が放出時間。 - このトリップ時間は、リリースの電流よりも低い電流の場合、指定された動作時間よりも長くなります。 - 値が平均値として与えられる。 - 관련 부분의 초기 여행을위한 [s]가 방출 시간. 이 트립 시간은 릴리스 전류보다 낮은 전류의 경우 지정된 동작 시간보다 길어집니다. 값을 평균으로 주어진다. " - - - - CurrentTolerance1 - The tolerance for the current of time/current-curve in [%]. - - - - - - - Current Tolerance1 - 許容電流1 - 허용 전류1 - - - - 時間/特性曲線の許容範囲を[%]で指定。 - 시간 / 특성 곡선의 허용 범위를 [%]로 지정합니다. - - - - CurrentToleranceLimit1 - The time limit in [s] limiting the application of CurrentTolerance1, if any. If the value is set to 0, the value of the CurrentTolerance1 is valid for the whole time/current-curve. - - - - - - - Current Tolerance Limit1 - 許容電流限界1 - 허용전류한계1 - - - - 許容電流1を制限する時間制限。 -値が0の場合は、制限はない。 - 허용 전류 1 제한 시간 제한. 값이 0이면 제한이 없다. - - - - CurrentTolerance2 - The tolerance for the current of time/current-curve in [%] valid for times above CurrentTolereanceLimit1. - - - - - - - Current Tolerance2 - 許容電流2 - 허용전류 2 - - - - [%]で指定された時間/特性曲線の許容範囲は、上記の許容電流限界1の時間で有効です。 - [%]로 지정된 시간 / 특성 곡선의 허용 범위는 상기의 허용 전류 한계 1 시간에 유효합니다. - - - - IsCurrentTolerancePositiveOnly - Indication whether the value of CurrentTolerance1 is provided as a positive tolereance only or not. If not, the value is proved as a pluss/minus tolerance. - - - - - - - Is Current Tolerance Positive Only - 電流許容値 - 전류 허용 값 - - - - 許容電流限界1の値のみかどうか - 上記でない場合、電流許容値はプラス/マイナスした値。 - 허용 전류 한계 값 1 만 여부 위의 경우, 전류 허용 값은 플러스 / 마이너스 값. - - - - TimeTolerance1 - The tolerance for the time of time/current-curve in [%]. - - - - - - - Time Tolerance1 - 許容時間1 - 허용 시간1 - - - - [%]で時間/特性曲線の許容時間を設定。 - [%] 시간 / 특성 곡선의 허용 시간을 설정 - - - - TimeToleranceLimit1 - The current limit in [x In] limiting the application of TimeTolerance1, if any. If the value is set to 0, the value of the TimeTolerance1 is valid for the whole time/current-curve. - - - - - - - Time Tolerance Limit1 - 許容限界時間1 - 허용 한계시간1 - - - - 許容時間1を制限する電流制限値。 -値が0の場合は、制限はない。 - 허용 시간 1를 제한하는 전류 제한. 값이 0이면 제한이 없다 - - - - TimeTolerance2 - The tolerance for the time of the time/current-curve in [%] valid for currents above TimeToleranceLimit1. - - - - - - - Time Tolerance2 - 許容時間2 - 허용시간 2 - - - - [%]で指定された時間/特性曲線の許容範囲は、上記の許容電流限界1の電流で有効です。 - [%]로 지정된 시간 / 특성 곡선의 허용 범위는 상기의 허용 전류 한계 1의 전류로 사용할 수 있습니다. - - - - IsTimeTolerancePositiveOnly - Indication whether the value of TimeTolerance1 is provided as a positive tolereance only or not. If not, the value is proved as a pluss/minus tolerance. - - - - - - - Is Time Tolerance Positive Only - 時間許容値 - 시간 허용치 - - - - 許容時間1の値のみかどうか - 上記でない場合、時間許容値は、プラス/マイナスした値。 - 허용 시간 1 값만 여부 위의 경우 시간 허용치는 플러스 / 마이너스 값. - - - - MaxAdjustmentX_ICS - Provides the maximum setting value for the available current adjustment in relation to the -Ics breaking capacity of the protection device of which the actual tripping unit is a part of. The value is not asserted unless the instantaneous time protection is. - - - - - - - Max Adjustment X_ ICS - 最大調整X_ICS - 최대 조정 X_ICS - - - - 実際のトリップ装置の一部である保護装置のIcs 遮断容量に関連して利用可能な電流の最大調整値。 - 실제 트립 장치의 일부인 보호자 Ics 차단 용량과 관련하여 사용 가능한 전류의 최대 조정 값 - - - - IsOffWhenSFunctionOn - Indication whether the I-function is automatically switched off when the S-function is switched on. - - - - - - - Is Off When SFunction On - - - - - - - - - トリッピング関数は、電子トリッピング装置に適用される。 -(例えば、トリッピング装置は、電子トリッピング定義されたプロパティセットタイプを持っている) -これらは、熱,熱電磁,RCDトリッピング装置に適用されない。 -このプロパティセットは、電子保護装置の瞬時短絡保護(I-curve)を表す。 - - - - - Pset_ProtectiveDeviceTrippingFunctionLCurve - Tripping functions are applied to electronic tripping units (i.e. tripping units having type property sets for electronic tripping defined). They are not applied to thermal, thermal magnetic or RCD tripping units. -This property set represent the long time protection (L-curve) of an electronic protection device - - - IfcProtectiveDeviceTrippingUnit - - IfcProtectiveDeviceTrippingUnit - - - IsSelectable - Indication whether the L-function can be switched off or not. - - - - - - - Is Selectable - 切り替え - 전환 - - - - 装置の “ON-OFF”状態を電気的表示が切り替え可能かどうか。 - 장치의 "ON-OFF"상태를 전기적으로 표시가 교체 가능합니까? - - - - UpperCurrent1 - The current in [x In], indicating that for currents larger than UpperCurrent1 the I2t part of the L-function will trip the current. - - - - - - - Upper Current1 - 上電流1 - 상전류1 - - - - [x In]の電流,電流をトリップするL関数のI2t部分は、上限電流1よりも大きい電流を示す。 - x In] 전류 전류를 여행하는 L 함수 I2t 부분은 최대 전류 1보다 큰 전류를 보여준다. - - - - UpperCurrent2 - The current in [x In], indicating the upper current limit of the upper time/current curve of the I2t part of the L-function. - - - - - - - Upper Current2 - 上電流2 - 상전류2 - - - - [x In]の電流,電流をトリップするL関数のI2t部分は、上限時間/特性曲線よりも大きい電流を示す。 - [x In] 전류 전류를 여행하는 L 함수 I2t 부분은 제한 시간 / 특성 곡선보다 큰 전류를 보여준다. - - - - UpperTime1 - The time in [s], indicating that tripping times of the upper time/current curve lower than UpperTime1 is determined by the I2t part of the L-function. - - - - - - - Upper Time1 - 上時間1 - 상시간1 - - - - [s]の時間,上時間より低い上部の時間/特性曲線のトリップ時間は、L-関数ののI2t部分によって決定される。 - [s]의 시간에 시간 더 낮은 위 시간 / 특성 곡선의 트립 시간은 L-함수의 I2t 부분에 의해 결정된다 - - - - UpperTime2 - The time in [s], indicating the tripping times of the upper time/current curve at the UpperCurrent2. - - - - - - - Upper Time2 - 上時間2 - 상시간2 - - - - [s]の時間,上電流2より上部の特性曲線のトリップ時間を示す - [s]의 시간에 전류 2보다 상단의 특성 곡선의 트립 시간을 나타냄 - - - - LowerCurrent1 - The current in [x In], indicating that for currents smaller than LowerCurrent1 the I2t part of the L-function will not trip the current, - - - - - - - Lower Current1 - 下電流1 - 하전류 1 - - - - [x In]の電流,電流をトリップするL関数のI2t部分は、下電流1よりも小さい電流を示す。 - [x In] 전류 전류를 여행하는 L 함수 I2t 부분은 아래 전류 1보다 작은 전류를 보여준다. - - - - LowerCurrent2 - The current in [x In], indicating the upper current limit of the lower time/current curve of the I2t part of the L-function. - - - - - - - Lower Current2 - 下電流2 - 하전류 2 - - - - [x In]の電流,電流をトリップするL関数のI2t部分は、特性曲線よりも小さい電流を示す。 - x In] 전류 전류를 여행하는 L 함수 I2t 부분은 곡선보다 작은 전류를 보여준다. - - - - LowerTime1 - The time in [s], indicating that tripping times of the lower time/current curve lower than LowerTime1 is determined by the I2t part of the L-function. - - - - - - - Lower Time1 - 下時間1 - 하 시간 1 - - - - [s]の時間,下時間より低い特性曲線のトリップ時間は、L-関数ののI2t部分によって決定される。 - [s] 시간 아래 시간보다 낮은 특성 곡선의 트립 시간은 L-함수의 I2t 부분에 의해 결정된다. - - - - LowerTime2 - The time in [s], indicating the tripping times of the upper time/current curve at the LowerCurrent2. - - - - - - - Lower Time2 - 下時間2 - 하 시간 2 - - - - [s]の時間,下電流2より下部の特性曲線のトリップ時間を示す。 - [s] 시간, 아래 전류 2보다 하부의 특성 곡선의 트립 시간을 보여준다. - - - - - - トリッピング関数は、電子トリッピング装置に適用される。 -(例えば、トリッピング装置は、電子トリッピング定義されたプロパティセットタイプを持っている) -これらは、熱,熱電磁,RCDトリッピング装置に適用されない。 -このプロパティセットは、電子保護装置の遅延短絡保護(L-curve)を表す。 - - - - - Pset_ProtectiveDeviceTrippingFunctionSCurve - Tripping functions are applied to electronic tripping units (i.e. tripping units having type property sets for electronic tripping defined). They are not applied to thermal, thermal magnetic or RCD tripping units. -This property set represent the short time protection (S-curve) of an electronic protection device. - - - IfcProtectiveDeviceTrippingUnit - - IfcProtectiveDeviceTrippingUnit - - - IsSelectable - Indication whether the S-function can be switched off or not. - - - - - - - Is Selectable - 切り替え - 전환 - - - - 装置の “ON-OFF”状態を電気的表示が切り替え可能かどうか。 - 장치"ON-OFF "상태를 전기적으로 표시가 교체 가능합니까? - - - - NominalCurrentAdjusted - An indication if the tripping currents of the short time protection is related to the nominal current multiplied with the actual setting of the current adjustment, if any, of the long time protection part of the protective device, or not. - - - - - - - Nominal Current Adjusted - 定格調整電流 - 정격전류조정 - - - - 電流によって、動作時間が短かかったり長かったりするかどうか。 - 전류 작동 시간의 여부 - - - - ReleaseCurrent - The release current in [x In] for the initial tripping of the S-function. - - - - - - - Release Current - 放出電流 - 방출전류 - - - - 放出する電流は、S-functionの初期特性。 - 방출 전류는 S-function의 초기 특성. - - - - ReleaseTime - The release time in [s] for the initial tripping of the relevant part. This time indicates that for current lower than the indicated release current, the tripping time will be longer than the indicated release time. The value is given as a mean value. - - - - - - - Release Time - 放出時間 - 방출 시간 - - - - 関連する部分の初期トリップのための[s]が放出時間。 - このトリップ時間は、リリースの電流よりも低い電流の場合、指定された動作時間よりも長くなります。 - 値が平均値として与えられる。 - 관련 부분의 초기 여행을위한 [s]가 방출 시간. 이 트립 시간은 릴리스 전류보다 낮은 전류의 경우 지정된 동작 시간보다 길어집니다. 값을 평균으로 주어진다. - - - - CurrentTolerance1 - The tolerance for the current of time/current-curve in [%]. - - - - - - - Current Tolerance1 - 許容電流1 - 허용 전류1 - - - - 時間/特性曲線の許容範囲を[%]で指定。 - 시간 / 특성 곡선의 허용 범위를 [%]로 지정합니다. - - - - CurrentToleranceLimit1 - The time limit in [s] limiting the application of CurrentTolerance1, if any. If the value is set to 0, the value of the CurrentTolerance1 is valid for the whole time/current-curve. - - - - - - - Current Tolerance Limit1 - 許容電流限界1 - 허용전류한계1 - - - - 許容電流1を制限する時間制限。 -値が0の場合は、制限はない。 - 허용 전류 1 제한 시간 제한. 값이 0이면 제한이 없다. - - - - CurrentTolerance2 - The tolerance for the current of time/current-curve in [%] valid for times above CurrentTolereanceLimit1. - - - - - - - Current Tolerance2 - 許容電流2 - 허용전류 2 - - - - [%]で指定された時間/特性曲線の許容範囲は、上記の許容電流限界1の時間で有効です。 - [%]로 지정된 시간 / 특성 곡선의 허용 범위는 상기의 허용 전류 한계 1 시간에 유효합니다. - - - - IsCurrentTolerancePositiveOnly - Indication whether the value of CurrentTolerance1 is provided as a positive tolereance only or not. If not, the value is proved as a pluss/minus tolerance. - - - - - - - Is Current Tolerance Positive Only - 電流許容値 - 전류 허용 값 - - - - 許容電流限界1の値のみかどうか - 上記でない場合、電流許容値はプラス/マイナスした値。 - 허용 전류 한계 값 1 만 여부 위의 경우, 전류 허용 값은 플러스 / 마이너스 값. - - - - TimeTolerance1 - The tolerance for the time of time/current-curve in [%]. - - - - - - - Time Tolerance1 - 許容時間1 - 허용 시간1 - - - - [%]で時間/特性曲線の許容時間を設定 - [%] 시간 / 특성 곡선의 허용 시간을 설정 - - - - TimeToleranceLimit1 - The current limit in [x In] limiting the application of TimeTolerance1, if any. If the value is set to 0, the value of the TimeTolerance1 is valid for the whole time/current-curve. - - - - - - - Time Tolerance Limit1 - 許容限界時間1 - 허용 한계시간1 - - - - 許容時間1を制限する電流制限値。 -値が0の場合は、制限はない。 - 허용 시간 1를 제한하는 전류 제한. 값이 0이면 제한이 없다 - - - - TimeTolerance2 - The tolerance for the time of the time/current-curve in [%] valid for currents above TimeToleranceLimit1. - - - - - - - Time Tolerance2 - 許容時間2 - 허용시간 2 - - - - [%]で指定された時間/特性曲線の許容範囲は、上記の許容電流限界1の電流で有効です。 - [%]로 지정된 시간 / 특성 곡선의 허용 범위는 상기의 허용 전류 한계 1의 전류로 사용할 수 있습니다. - - - - IsTimeTolerancePositiveOnly - Indication whether the value of TimeTolerance1 is provided as a positive tolereance only or not. If not, the value is proved as a pluss/minus tolerance. - - - - - - - Is Time Tolerance Positive Only - 時間許容値 - 시간 허용치 - - - - 許容時間1の値のみかどうか。 - 上記でない場合、時間許容値は、プラス/マイナスした値。 - 허용 시간 1 값만 여부 위의 경우 시간 허용치는 플러스 / 마이너스 값. - - - - ReleaseCurrentI2tStart - The release current in [x In] for the start point of the I2t tripping curve of the S-function, if any. - - - - - - - Release Current I2t Start - I2tの開始放流電流 - I2t 시작 방류 전류 - - - - S関数の特性曲線I2tの始点[x In]が開始放流電流。 - S 함수 특성 곡선 I2t의 시작점 [x In]가 시작 방류 전류. - - - - ReleaseTimeI2tStart - The release time in [s] for the start point of the I2t tripping curve of the S-function, if any - - - - - - - Release Time I2t Start - I2tの開始放流時間 - I2t 시작 방류 시간 - - - - S関数の特性曲線I2tの始点[s]が開始放流時間。 - S함수 특성 곡선 I2t의 시작점 [s]가 시작 방류 시간. - - - - ReleaseCurrentI2tEnd - The release current in [x In] for the end point of the I2t tripping curve of the S-function, if any. The value of ReleaseCurrentI2tEnd shall be larger than ReleaseCurrentI2tStart. - - - - - - - Release Current I2t End - I2tの終了放流電流 - I2t 종료 방류 전류 - - - - S関数のI2の特性曲線のエンドポイントの[s]を放流電流。 - I2tの終了放流電流がI2tの開始放流電流よりも低くしなければならない。 - S함수 I2의 특성 곡선의 끝점에서 s를 방류 전류. I2t 종료 방류 전류가 I2t 시작 방류 전류보다 낮게해야한다. " - - - - ReleaseTimeI2tEnd - The release time in [s] for the end point of the I2 tripping curve of the S-function, if any. The value of ReleaseTimeI2tEnd shall be lower than ReleaseTimeI2tStart. - - - - - - - Release Time I2t End - I2tの終了放流時間 - I2t 종료 방류 시간 - - - - S関数のI2の特性曲線のエンドポイントの[s]を放流時間。 - I2tの終了放流電流時間がI2tの開始放流時間よりも低くしなければならない。 - S함수 I2의 특성 곡선의 끝점에서 s를 방류 시간. I2t 종료 방류 전류 시간이 I2t 시작 방류 시간보다 낮게해야한다 - - - - IsOffWhenLfunctionOn - Indication whether the S-function is automatically switched off when the I-function is switched on. - - - - - - - Is Off When Lfunction On - - - - - - - - - トリッピング関数は、電子トリッピング装置に適用される。 -(例えば、トリッピング装置は、電子トリッピング定義されたプロパティセットタイプを持っている) -これらは、熱,熱電磁,RCDトリッピング装置に適用されない。 -このプロパティセットは、電子保護装置の短絡保護(S-curve)を表す。 - - - - - Pset_ProtectiveDeviceTrippingUnitCurrentAdjustment - A set of current adjustment values that may be applied to an electronic or thermal tripping unit type. - - - IfcProtectiveDeviceTrippingUnit - - IfcProtectiveDeviceTrippingUnit - - - AdjustmentValueType - The type of adjustment value that is applied through the property set. This determines the properties that should be asserted (see below). - - - - RANGE - LIST - - - - RANGE - - Range - - - - - - - LIST - - List - - - - - - - - - - Adjustment Value Type - 調整値の型 - 조정 형식 - - - - 調整値のタイプを設定。 - 조정 값 유형을 설정합니다. - - - - AdjustmentRange - Upper and lower current adjustment limits for an AdjustmentValueType = RANGE. Note that this property should not have a value for an AdjustmentValueType = LIST. - - - - - - - Adjustment Range - 調整範囲 - 조정 범위 - - - - 時間調整の範囲の上限値と下限値を設定。一覧表ではもっていない事を注意。 - 시간 조정 범위의 상한 치와 하한 치를 설정합니다. 목록은 갖고 있지 않은 것을주의. - - - - AdjustmentRangeStepValue - Step value of current adjustment for an AdjustmentValueType = RANGE. Note that this property should not have a value for an AdjustmentValueType = LIST. - - - - - - - Adjustment Range Step Value - 調整範囲のステップ値 - 조정범위 단계값 - - - - 時間調整の範囲をステップ値を設定。一覧表ではもっていない事を注意。 - 시간 조정 범위를 단계 값을 설정합니다. 목록은 갖고 있지 않은 것을주의. - - - - AdjustmentValues - A list of current adjustment values that may be applied to a tripping unit for an AdjustmentValueType = LIST. A minimum of 1 and a maximum of 16 adjustment values may be specified. Note that this property should not have a value for an AdjustmentValueType = RANGE. - - - - - - - - - Adjustment Values - 調整値 - 조정 값 - - - - 時間調整値を1から16で設定。範囲では、ない事を注意。 - 시간 조정 값을 1에서 16로 설정. 범위는없는 것을주의. - - - - AdjustmentDesignation - The desgnation on the device for the adjustment. - - - - - - - Adjustment Designation - 調整の指定 - 조정지정 - - - - 調整する装置の指定。 - 조정하는 장치를 지정합니다. - - - - - - 電磁式または熱動式のトリップ装置の電流調整値。 - - - - - Pset_ProtectiveDeviceTrippingUnitTimeAdjustment - A set of time adjustment values that may be applied to an electronic or thermal tripping unit type. - - - IfcProtectiveDeviceTrippingUnit - - IfcProtectiveDeviceTrippingUnit - - - AdjustmentValueType - The type of adjustment value that is applied through the property set. This determines the properties that should be asserted (see below). - - - - RANGE - LIST - - - - RANGE - - Range - - - - - - - LIST - - List - - - - - - - - - - Adjustment Value Type - 調整値の型 - 조정 형식 - - - - 調整値のタイプを設定。 - 조정 값 유형을 설정합니다. - - - - AdjustmentRange - Upper and lower time adjustment limits for an AdjustmentValueType = RANGE. Note that this property should not have a value for an AdjustmentValueType = LIST. - - - - - - - Adjustment Range - 調整範囲 - 조정 범위 - - - - 時間調整の範囲の上限値と下限値を設定。一覧表ではもっていない事を注意。 - 시간 조정 범위의 상한 치와 하한 치를 설정합니다. 목록은 갖고 있지 않은 것을주의. - - - - AdjustmentRangeStepValue - Step value of time adjustment for an AdjustmentValueType = RANGE. Note that this property should not have a value for an AdjustmentValueType = LIST. - - - - - - - Adjustment Range Step Value - 調整範囲のステップ値 - 조정범위 단계값 - - - - 時間調整の範囲をステップ値を設定。一覧表ではもっていない事を注意。 - 시간 조정 범위를 단계 값을 설정합니다. 목록은 갖고 있지 않은 것을주의. - - - - AdjustmentValues - A list of time adjustment values that may be applied to a tripping unit for an AdjustmentValueType = LIST. A minimum of 1 and a maximum of 16 adjustment values may be specified. Note that this property should not have a value for an AdjustmentValueType = RANGE. - - - - - - - - - Adjustment Values - 調整値 - 조정 값 - - - - 時間調整値を1から16で設定。範囲では、ない事を注意。 - 시간 조정 값을 1에서 16로 설정. 범위는없는 것을주의. - - - - AdjustmentDesignation - The desgnation on the device for the adjustment. - - - - - - - Adjustment Designation - 調整の指定 - 조정지정 - - - - 調整する装置の指定。 - 조정하는 장치를 지정합니다. - - - - CurrentForTimeDelay - The tripping current in [x In] at which the time delay is specified. A value for this property should only be asserted for time delay of L-function, and for I2t of the S and G function. - - - - - - - Current For Time Delay - 時延電流 - 시간연장 전류 - - - - 時延[x]ののトリップ電流は、L関数の遅延時間、およびSとG関数のI2tを指定。 - 시간 연장 [x]의 트립 전류는 L 함수의 지연 시간 및 S와 G 함수 I2t를 지정합니다. - - - - I2TApplicability - The applicability of the time adjustment related to the tripping function. - - - - L_FUNCTION - S_FUNCTION - G_FUNCTION - OTHER - NOTKNOWN - UNSET - - - - RANGE - - Range - - - - - - - LIST - - List - - - - - - - - - - I2 TApplicability - I2Tの適用 - 12 T적용 - - - - トリップ機能の時延を求める時に適用する関数。 - 트립 기능 시간 연장을 요구할 때 적용하는 함수입니다. - - - - - - 電磁式または熱動式トリップユニット型に適用することができる時間調整(時延)のセット。 - - - - - Pset_ProtectiveDeviceTrippingUnitTypeCommon - Common information concerning tripping units that area associated with protective devices - - - IfcProtectiveDeviceTrippingUnit - - IfcProtectiveDeviceTrippingUnit - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - 当該プロジェクトで定義する形式の参照ID(例:A-1)、承認された分類に存在しないときに使用される。 - 해당 프로젝트에 정의된 형식의 참조 ID (예 : A-1) 승인된 분류에 존재하지 않을 때 사용된다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - Standard - The designation of the standard applicable for the definition of the characteristics of the -tripping_unit. - - - - - - - Standard - 特性定義 - 특성 정의 - - - - トリッピング装置の特性定義のための標準的な適用の指定。 - 토릿삔구 장치의 특성 정의에 대한 표준 적용 지정. - - - - UseInDiscrimination - An indication whether the time/current tripping information can be applied in a discrimination -analysis or not. - - - - - - - Use In Discrimination - 使用方法 - 사용방법 - - - - トリップ情報を時間か電流かどちらで判断するか。 - 트립 정보를 시간 또는 전류가 어디에서 결정하는가? - - - - AtexVerified - An indication whether the tripping_unit is verified to be applied in EX-environment or not. - - - - - - - Atex Verified - アテックス認証 - EX -환경 인증 - - - - トリップ装置がEX-環境で適用されるかどうか。 - 트립 장치가 EX-환경에 적용되는지 여부 - - - - OldDevice - Indication whether the protection_ unit is out-dated or not. If not out-dated, the device is still for sale. - - - - - - - Old Device - 販売中止装置 - 판매중지 장치 - - - - 基準に適合されていて販売されているかどうか。 - 기준에 적합하여 판매하는지에 대한 여부 - - - - LimitingTerminalSize - The maximum terminal size capacity of the device. - - - - - - - Limiting Terminal Size - 接続限界値 - 연결 한계 - - - - 装置に接続される最大サイズ。 - 장치에 연결되는 최대 크기입니다. - - - - - - 保護装置に関連付けられているトリップ機能に関する共通情報。 - - - - - Pset_ProtectiveDeviceTrippingUnitTypeElectroMagnetic - Information on tripping units that are electrically or magnetically tripped. - - - IfcProtectiveDeviceTrippingUnit/ELECTROMAGNETIC - - IfcProtectiveDeviceTrippingUnit/ELECTROMAGNETIC - - - ElectroMagneticTrippingUnitType - A list of the available types of electric magnetic tripping unit from which that required may be selected. These cover overload, none special, short circuit, motor protection and bi-metal tripping. - - - - OL - TMP_STD - TMP_SC - TMP_MP - TMP_BM - OTHER - NOTKNOWN - UNSET - - - - OL - - Ol - - - - - - - TMP_STD - - Tmp Std - - - - - - - TMP_SC - - Tmp Sc - - - - - - - TMP_MP - - Tmp Mp - - - - - - - TMP_BM - - Tmp Bm - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Electro Magnetic Tripping Unit Type - 電磁トリップ装置タイプ - 전자 트립장치 유형 - - - - 電磁トリップ装置タイプを選択する。(過電流・配線用・モーター・バイメタル・その他) - 전자 트립 장치 유형을 선택합니다. (과전류 · 배선 모터 바이메탈 기타) - - - - I1 - The (thermal) lower testing current limit in [x In], indicating that for currents lower than I1, the tripping time shall be longer than the associated tripping time, T2. - - - - - - - I1 - I1 - I1 - - - - 熱動式の低試験電流限界値を [x In]、電流は I1 よりも低い値を示す。トリップ時間は関連する T2 の時間よりも長い。 - 열 동식 낮은 시험 전류 한계를 [x In] 전류는 I1보다 낮은 값을 나타낸다. 트립 시간은 관련 T2 시간보다 길다. - - - - I2 - The (thermal) upper testing current limit in [x In], indicating that for currents larger than I2, the tripping time shall be shorter than the associated tripping time, T2. - - - - - - - I2 - I2 - I2 - - - - 熱動式の高試験電流限界値を [x In], 電流は I2 よりも高い値を示す。トリップ時間は関連する T2 の時間よりも短い。 - 열 동식 높은 시험 전류 한계를 [x In], 전류 I2보다 높은 값을 나타낸다. 트립 시간은 관련 T2 시간보다 짧다. - - - - T2 - The (thermal) testing time in [s] associated with the testing currents I1 and I2. - - - - - - - T2 - T2 - T2 - - - - 熱動式の試験時間を [s] , 関連する試験電流を I1 と I2 とする。 - 열 동식 시험 시간 [s] 관련 시험 전류를 I1과 I2로한다. - - - - DefinedTemperature - The ambient temperature at which the thermal current/time-curve associated with this protection device is defined. - - - - - - - Defined Temperature - 設定温度 - 설정 온도 - - - - この保護装置が定める温度・電流/時間-カーブに関連する周囲温度。 - 이 보호 장치가 정한 온도 · 전류 / 시간 - 곡선과 관련된 주위 온도. - - - - TemperatureFactor - The correction factor (typically measured as %/deg K) for adjusting the thermal current/time to an ambient temperature different from the value given by the defined temperature. - - - - - - - Temperature Factor - 温度係数 - 온도 계수 - - - - 熱の電流/時間を、定義済みの温度によって与えられる値と異なる場合に周囲温度に合わせるための補正係数(%/deg K で計測する)。 - 열 전류 / 시간 미리 정의된 온도에 의해 주어진 값과 다른 경우 주위 온도에 맞추기위한 보정 계수 (% / deg K로 측정한다). - - - - I4 - The lower electromagnetic testing current limit in [x In], indicating that for currents lower than I4, the tripping time shall be longer than the associated tripping time, T5, i.e. the device shall not trip instantaneous. - - - - - - - I4 - I4 - I4 - - - - 電磁の低試験電流限界値を [x In], 電流は I4 よりも低い値を示す。トリップ時間は関連する T5 と瞬時に遮断する定格使用電流の時間よりも長い。 - 전자 낮은 시험 전류 한계를 [x In] 전류는 I4보다 낮은 값을 나타낸다. 트립 시간은 관련 T5 즉석에서 차단하는 정격 사용 전류의 시간보다 길다. - - - - I5 - The upper electromagnetic testing current limit in [x In], indicating that for currents larger than I5, the tripping time shall be shorter than or equal to the associated tripping time, T5, i.e. the device shall trip instantaneous. - - - - - - - I5 - I5 - I5 - - - - 電磁の高試験電流限界値を [x In], 電流は I4 よりも低い値を示す。トリップ時間は関連する T5 と瞬時に遮断する定格使用電流の時間よりも長い。 - 전자의 높은 시험 전류 한계를 [x In] 전류는 I4보다 낮은 값을 나타낸다. 트립 시간은 관련 T5 즉석에서 차단하는 정격 사용 전류의 시간보다 길다. - - - - T5 - The electromagnetic testing time in [s] associated with the testing currents I4 and I5, i.e. electromagnetic tripping time - - - - - - - T5 - T5 - T5 - - - - 電磁の試験時間を [s] , 関連する試験電流を I4 と I5 とする。 - 전자 시험 시간 [s] 관련 시험 전류를 I4하면 I5한다. - - - - CurveDesignation - The designation of the trippingcurve given by the manufacturer. For a MCB the designation should be in accordance with the designations given in IEC 60898. - - - - - - - Curve Designation - 曲線指定 - 곡성 지정 - - - - メーカーが提供する指定のトリッピングカーブ。MCBのために、指定はIEC 60898に準拠しなければならない。 - 제조 업체가 제공하는 지정된 토릿삔구 곡선. MCB 위해, 지정은 IEC 60898을 준수해야한다. - - - - - - 電気と磁気により遮断するトリップ装置の情報。 - - - - - Pset_ProtectiveDeviceTrippingUnitTypeElectronic - Information on tripping units that are electronically tripped. - - - IfcProtectiveDeviceTrippingUnit/ELECTRONIC - - IfcProtectiveDeviceTrippingUnit/ELECTRONIC - - - ElectronicTrippingUnitType - A list of the available types of electronic tripping unit from which that required may be selected. - - - - EP_BM - EP_MP - EP_SC - EP_STD - EP_TIMEDELAYED - OTHER - NOTKNOWN - UNSET - - - - EP_BM - - Ep Bm - - - - - - - EP_MP - - Ep Mp - - - - - - - EP_SC - - Ep Sc - - - - - - - EP_STD - - Ep Std - - - - - - - EP_TIMEDELAYED - - Ep Timedelayed - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Electronic Tripping Unit Type - 電磁式の装置タイプ - 전자식 장치 유형 - - - - 電磁式の装置タイプをリストから選択。 - 전자식 장치 유형을 목록에서 선택합니다. - - - - NominalCurrents - A set of values providing information on available modules (chips) for setting the nominal current of the protective device. If -the set is empty, no nominal current modules are available for the tripping unit. - - - - - - - - - Nominal Currents - 定格電流 - 정격전류 - - - - トリップ装置が対応する定格電流。 - 트립 장치가 지원하는 정격 전류. - - - - N_Protection - An indication whether the electronic tripping unit has separate protection for the N conductor, or not. - - - - - - - N_ Protection - N_Protection - N_Protection - - - - 電磁式トリップ装置がN個の導体を保護するか否かの設定。 - 전자식 트립 장치가 N 개의 도체를 보호 여부 설정. - - - - N_Protection_50 - An indication whether the electronic tripping unit is tripping if the current in the N conductor is more than 50% of that of the phase conductors. The property is only asserted if the property N_Protection is asserted. - - - - - - - N_ Protection_50 - N_Protection_50 - N_Protection_50 - - - - 電磁式トリップ装置がN導体の50%以上で保護するか否かの設定。 - 전자식 트립 장치가 N 도체의 50 % 이상으로 보호 여부 설정. - - - - N_Protection_100 - An indication whether the electronic tripping unit is tripping if the current in the N conductor is more than 100% of that of the phase conductors. The property is only asserted if the property N_Protection is asserted. - - - - - - - N_ Protection_100 - N_Protection_100 - N_Protection_100 - - - - 電磁式トリップ装置がN導体の100%以上で保護するか否かの設定。 - 전자식 트립 장치가 N 도체의 100 % 이상으로 보호 여부 설정. - - - - N_Protection_Select - An indication whether the use of the N_Protection can be selected by the user or not. If both the properties N_Protection_50 and N_Protection_100 are asserted, the value of N_Protection_Select property is set to TRUE. The property is only asserted if the property N_Protection is asserted. - - - - - - - N_ Protection_ Select - N_Protectionの選択 - N_Protection 선택 - - - - どのN_Protectionを使うかユーザが設定できるかどうかを指定する。 -N_Protection_50とN_Protection_100の両方が有効な場合は、TRUEにします。 - 어떤 N_Protection를 사용하거나 사용자가 설정할 수 있는지 여부를 지정합니다. N_Protection_50하면 N_Protection_100를 모두 사용할 경우에는 TRUE합니다. - - - - - - 電気で遮断するトリップ装置の情報。 - - - - - Pset_ProtectiveDeviceTrippingUnitTypeResidualCurrent - Information on tripping units that are activated by residual current. - - - IfcProtectiveDeviceTrippingUnit/RESIDUALCURRENT - - IfcProtectiveDeviceTrippingUnit/RESIDUALCURRENT - - - TrippingUnitReleaseCurrent - The value of tripping or residual current for which the device has the possibility to be equipped. The values are given in mA. - - - - 10 - 30 - 100 - 300 - 500 - 1000 - OTHER - NOTKNOWN - UNSET - - - - 10 - - 10 - - - - - - - 30 - - 30 - - - - - - - 100 - - 100 - - - - - - - 300 - - 300 - - - - - - - 500 - - 500 - - - - - - - 1000 - - 1000 - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Tripping Unit Release Current - 定格感度電流 - 정격 감도 전류 - - - - 漏電ブレーカの感度電流値(mA)。 - 누전 차단기의 감도 전류 (mA). - - - - - - 漏電電流で遮断するトリップ装置の情報。 - - - - - Pset_ProtectiveDeviceTrippingUnitTypeThermal - Information on tripping units that are thermally tripped. - - - IfcProtectiveDeviceTrippingUnit/THERMAL - - IfcProtectiveDeviceTrippingUnit/THERMAL - - - ThermalTrippingUnitType - A list of the available types of thermal tripping unit from which that required may be selected. - - - - NH_FUSE - DIAZED - MINIZED - NEOZED - OTHER - NOTKNOWN - UNSET - - - - NH_FUSE - - NH Fuse - - - - - - - DIAZED - - Diazed - - - - - - - MINIZED - - Minized - - - - - - - NEOZED - - Neozed - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Thermal Tripping Unit Type - サーマルトリップ装置タイプ - 열 트립 장치 유형 - - - - 選択を必要とするときのためのサーマルトリップ装置の選択リスト。 - 선택을 필요로하는 경우를위한 열 트립 장치 선택 목록. - - - - I1 - The (thermal) lower testing current limit in [x In], indicating that for currents lower than I1, the tripping time shall be longer than the associated tripping time, T2. - - - - - - - I1 - I1 - I1 - - - - サーマルの低試験電流限界値を [x In]、電流は I1 よりも低い値を示す。トリップ時間は関連する T2 の時間よりも長い。 - 열 낮은 시험 전류 한계를 [x In] 전류는 I1보다 낮은 값을 나타낸다. 트립 시간은 관련 T2 시간보다 길다. - - - - I2 - The (thermal) upper testing current limit in [x In], indicating that for currents larger than I2, the tripping time shall be shorter than the associated tripping time, T2. - - - - - - - I2 - I2 - I2 - - - - サーマルの高試験電流限界値を [x In], 電流は I2 よりも高い値を示す。トリップ時間は関連する T2 の時間よりも短い。 - 열 높은 시험 전류 한계를 [x In], 전류 I2보다 높은 값을 나타낸다. 트립 시간은 관련 T2 시간보다 짧다. - - - - T2 - The (thermal) testing time in [s] associated with the testing currents I1 and I2. - - - - - - - T2 - T2 - T2 - - - - サーマルの試験時間を [s] , 関連する試験電流を I1 と I2 とする。 - 열 시험 시간 [s] 관련 시험 전류를 I1과 I2로한다. - - - - DefinedTemperature - The ambient temperature at which the thermal current/time-curve associated with this protection device is defined. - - - - - - - Defined Temperature - 設定温度 - 설정 온도 - - - - この保護装置が定める温度・電流/時間-カーブに関連する周囲温度 - 이 보호 장치가 정한 온도 · 전류 / 시간 - 곡선과 관련된 주위 온도 - - - - TemperatureFactor - The correction factor (typically measured as %/deg K) for adjusting the thermal current/time to an ambient temperature different from the value given by the defined temperature. - - - - - - - Temperature Factor - 温度係数 - 온도 계수 - - - - 熱の電流/時間を、定義済みの温度によって与えられる値と異なる場合に周囲温度に合わせるための補正係数(%/deg K で計測する)。 - 열 전류 / 시간 미리 정의된 온도에 의해 주어진 값과 다른 경우 주위 온도에 맞추기위한 보정 계수 (% / deg K로 측정한다). - - - - CurveDesignation - The designation of the trippingcurve given by the manufacturer. For a MCB the designation should be in accordance with the designations given in IEC 60898. - - - - - - - Curve Designation - 曲線指定 - 곡선 지정 - - - - メーカーが提供する指定のトリッピングカーブ。MCBのために、指定はIEC 60898に準拠しなければならない。 - 제조 업체가 제공하는 지정된 토릿삔구 곡선. MCB 위해, 지정은 IEC 60898을 준수해야한다. - - - - - - 温度により遮断するトリップ装置の情報。 - - - - - Pset_ProtectiveDeviceTypeCircuitBreaker - A coherent set of attributes representing different capacities of a circuit breaker or of a motor protection device, defined in accordance with IEC 60947. Note - A protective device may be associated with different instances of this property set providing information related to different basic characteristics. - - - IfcProtectiveDevice/CIRCUITBREAKER - - IfcProtectiveDevice/CIRCUITBREAKER - - - PerformanceClasses - A set of designations of performance classes for the breaker unit for which the data of this instance is valid. A breaker unit being a circuit breaker may be -constructed for different levels of breaking capacities. A maximum of 7 different -performance classes may be provided. Examples of performance classes that may be specified include B, C, N, S, H, L, V. - - - - - - - - - Performance Classes - 能力クラス - 능력 클래스 - - - - モータ保護を行う開閉装置は、能力が違う最大7種類がある。名称の例として、B, C, N, S, H, L, Vが含まれる。 - 모터 보호하는 개폐 장치는 능력이 다른 최대 7 종류가있다. 이름의 예로는, B, C, N, S, H, L, V가 포함된다. - - - - VoltageLevel - The voltage levels for which the data of the instance is valid. More than one value may be selected in the enumeration. - - - - U230 - U400 - U440 - U525 - U690 - U1000 - OTHER - NOTKNOWN - UNSET - - - - U230 - - U230 - - - - - - - U400 - - U400 - - - - - - - U440 - - U440 - - - - - - - U525 - - U525 - - - - - - - U690 - - U690 - - - - - - - U1000 - - U1000 - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Voltage Level - 電圧レベル - 전압레벨 - - - - 電圧レベルを選択。 - 전압 레벨을 선택합니다. - - - - ICU60947 - The ultimate breaking capacity in [A] for a circuit breaker or motor protection device tested in accordance with the IEC 60947 series. - - - - - - - ICU60947 - 定格限界短絡遮断容量 - 정격한계단락 차단 용량 - - - - IECの60947シリーズに基づいてテストされた回路遮断機及びモータ保護装置の短絡遮断容量[A]。 - IEC의 60947 시리즈를 기반으로 테스트 회로 차단기 및 모터 보호 장치의 단락 차단 용량 [A]. - - - - ICS60947 - The service breaking capacity in [A] for a circuit breaker or motor protection device tested in accordance with the IEC 60947 series. - - - - - - - ICS60947 - 定格使用短絡遮断容量 - 정격사용 단락 차단 용량 - - - - IECの60947シリーズに基づいてテストされた回路遮断機及びモータ保護装置の使用短絡遮断容量[A]。 - IEC60947 시리즈를 기반으로 테스트 배선 차단기 또는 모터 보호 장치를위한 전류 [A]에 견디는 온도 값은 1s 주어진다. - - - - ICW60947 - The thermal withstand current in [A] for a circuit breaker or motor protection device tested in accordance with the IEC 60947 series. The value shall be related to 1 s. - - - - - - - ICW60947 - ICW60947 - ICW60947 - - - - IEC60947シリーズに基づいてテストした配線遮断機またはモータ保護装置のための電流[A]に耐える温度。 - 値は、1sで与えられる。 - IEC60947 시리즈를 기반으로 테스트 배선 차단기 또는 모터 보호 장치를위한 전류 [A]에 견디는 온도 값은 1s 주어진다. - - - - ICM60947 - The making capacity in [A] for a circuit breaker or motor protection device tested in accordance with the IEC 60947 series. - - - - - - - ICM60947 - ICM60947 - ICM60947 - - - - IECの60947シリーズに基づいてテストされた回路遮断機またはモータ保護装置の能力[A]。 - IEC의 60947 시리즈를 기반으로 테스트 회로 차단 기나 모터 보호 장치의 능력 [A]. - - - - - - IECの60947に基づいて定義されている回路ブレーカ、またはモータ保護装置の異なる容量を表すプロパティセットの定義。 -注記-保護装置は、根本的な特性に関連付けられた提供されたプロパティの情報は、 異なる実態に関連しているかもしれません。                  - - - - - Pset_ProtectiveDeviceTypeCommon - Properties that are applied to a definition of a protective device. - - - IfcProtectiveDevice - - IfcProtectiveDevice - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - このプロジェクト (例. 'A-1' タイプなど)で指定された参照ID。認められた分類体系の分類参照が存在しない場合に適用される。 - 이 프로젝트 (예 : 'A-1'유형 등) 지정된 참조 ID. 인정 분류 체계의 분류 참조가없는 경우에 적용된다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - 保護装置の事象に該当する属性。 - - - - - Pset_ProtectiveDeviceTypeEarthLeakageCircuitBreaker - An earth failure device acts to protect people and equipment from the effects of current leakage. - - - IfcProtectiveDevice/EARTHLEAKAGECIRCUITBREAKER - - IfcProtectiveDevice/EARTHLEAKAGECIRCUITBREAKER - - - EarthFailureDeviceType - A list of the available types of circuit breaker from which that required may be selected where: - -Standard: Device that operates without a time delay. -TimeDelayed: Device that operates after a time delay. - - - - STANDARD - TIMEDELAYED - OTHER - NOTKNOWN - UNSET - - - - STANDARD - - Standard - - - - - - - TIMEDELAYED - - Time Delayed - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Earth Failure Device Type - 漏電回路遮断機のタイプ - 누전 회로 차단기의 유형 - - - - 以下の中から選択が必要となる場合の遮断機タイプのリスト: - -スタンダード:遅延無しで動作する機器 -遅延:一定時間を経た後で動作する機器 - 다음 중 선택이 필요한 경우 차단기 유형 목록 : 스탠다드 : 지연없이 동작하는 기기 지연 : 일정 시간이 지난 후에 동작하는 기기 " - - - - Sensitivity - The rated rms value of the vector sum of the instantaneous currents flowing in the main circuits of the device which causes the device to operate under specified conditions. (IEC 61008-1). - - - - - - - Sensitivity - 感度 - 감도 - - - - 装置のメイン回路を流れる瞬時電流の合計ベクトルの関連する rms 値、特定の条件になると機器が動作するようになる(IEC 61008-1)。 - 장치의 기본 회로를 흐르는 순간 전류의 합계 벡터 관련 rms 값이 특정 조건이되면 장치가 작동하게된다 (IEC 61008-1). - - - - - - 漏電回路遮断機は、人々と器材を漏電電流の影響から保護する動作を行います。 - - - - - Pset_ProtectiveDeviceTypeFuseDisconnector - A coherent set of attributes representing the breakeing capacity of a fuse, defined in accordance with IEC 60269. Note - A protective device may be associated with different instances of this pSet providing information related to different basic characteristics. - - - IfcProtectiveDevice/FUSEDISCONNECTOR - - IfcProtectiveDevice/FUSEDISCONNECTOR - - - FuseDisconnectorType - A list of the available types of fuse disconnector from which that required may be selected where: - -EngineProtectionDevice: A fuse whose characteristic is specifically designed for the protection of a motor or generator. -FuseSwitchDisconnector: A switch disconnector in which a fuse link or a fuse carrier with fuse link forms the moving contact, -HRC: A standard fuse (High Rupturing Capacity) -OverloadProtectionDevice: A device that disconnects the supply when the operating conditions in an electrically undamaged circuit causes an overcurrent, -SemiconductorFuse: A fuse whose characteristic is specifically designed for the protection of sem-conductor devices. -SwitchDisconnectorFuse: A switch disconnector in which one or more poles have a fuse in series in a composite unit. - - - - ENGINEPROTECTIONDEVICE - FUSEDSWITCH - HRC - OVERLOADPROTECTIONDEVICE - SWITCHDISCONNECTORFUSE - OTHER - NOTKNOWN - UNSET - - - - ENGINEPROTECTIONDEVICE - - Engine Protection Device - - - - - - - FUSEDSWITCH - - Fused Switch - - - - - - - HRC - - Hrc - - - A standard fuse (High Rupturing Capacity) - - - - OVERLOADPROTECTIONDEVICE - - Overload Protection Device - - - - - - - SWITCHDISCONNECTORFUSE - - Switch Disconnector Fuse - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Fuse Disconnector Type - ヒューズ遮断機のタイプ - 퓨즈차단기 유형 - - - - 自家用発電連携側:モータや発電機の保護のために設計されているヒューズ。 - 地絡保護装置:これでヒューズリンクまたはヒューズリンクヒューズキャリアは、可動接点を形成するスイッチ断路器、 - HRC:標準ヒューズ(高連動破壊容量) - 漏電保護装置:電気的に破損して回路の動作条件は、過電流が発生する電源を切断装置 - 欠相保護付:その特性を具体的にsemが芯デバイスの保護のために設計されているヒューズ。 - 複合ヒューズ保護装置:その内の1つまたは複数の極は、複合ユニットに直列にヒューズを持っているスイッチ断路器。 - 자가용 발전 연계 측면 : 모터 및 발전기 보호를 위해 디자인되는 퓨즈. 지락 보호 장치 : 이제 퓨즈 링크 또는 퓨즈 링크 퓨즈 캐리어는 가동 접점을 형성하는 스위치 단로기, HRC : 표준 퓨즈 (높이 연동 파괴 용량) 누전 보호 장치 : 전기 손상 회로의 동작 조건은 과전류가 발생하는 전원을 차단 장치 결상 보호 부착 : 그 특성을 구체적으로 sem이 심 장치 보호를 위해 디자인되는 퓨즈. 복합 퓨즈 보호 장치 : 어떤 한 개 이상의 전극은 복합 유닛에 직렬로 퓨즈를 가지고있는 스위치 단로기. - - - - VoltageLevel - The voltage levels for which the data of the instance is valid. More than one value may be selected in the enumeration. - - - - U230 - U400 - U440 - U525 - U690 - U1000 - OTHER - NOTKNOWN - UNSET - - - - U230 - - U230 - - - - - - - U400 - - U400 - - - - - - - U440 - - U440 - - - - - - - U525 - - U525 - - - - - - - U690 - - U690 - - - - - - - U1000 - - U1000 - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Voltage Level - 電圧レベル - 전압레벨 - - - - 電圧レベルを選択。 - 전압 레벨을 선택합니다. - - - - IC60269 - The breaking capacity in [A] for fuses in accordance with the IEC 60269 series. - - - - - - - IC60269 - IC60269 - IC60269 - - - - IECの60269シリーズに応じたヒューズの遮断容量[A]。 - IEC의 60269 시리즈에 따라 퓨즈의 차단 용량 [A]. - - - - PowerLoss - The power loss in [W] of the fuse when the nominal current is flowing through the fuse. - - - - - - - Power Loss - 電力損失 - 전력 손실 - - - - 定格電流がヒューズに流れる時の電力損失[W]。 - 정격 전류가 퓨즈에 흐르는시 전력 손실 [W]. - - - - - - ヒューズのbreakeing容量を表す属性の一貫したセットは、IEC60269に基づいて定義されています。 - 注-保護デバイスが別の基本的な特性に関連する情報を提供し、このプロセッサセットの別のインスタンスに関連付けられている可能性があります。 - - - - - Pset_ProtectiveDeviceTypeResidualCurrentCircuitBreaker - A residual current circuit breaker opens, closes or isolates a circuit and has short circuit and overload protection. - - - IfcProtectiveDevice/RESIDUALCURRENTCIRCUITBREAKER - - IfcProtectiveDevice/RESIDUALCURRENTCIRCUITBREAKER - - - Sensitivity - Current leakage to an unwanted leading path during normal operation (IEC 151-14-49). - - - - - - - Sensitivity - 感度 - 감도 - - - - 通常操作における望ましくない引き込みパスとの電流鎖交 (IEC 151-14-49)。 - 정상 작동의 원치 않는 철회 경로와 전류 사슬 교환 (IEC 151-14-49). - - - - - - 残留電流遮断回路が 開いているか、 閉じているか、または 回路から独立しているか、また短絡(ショートサーキット)を保有し、過負荷保護継電方式であるか。 - - - - - Pset_ProtectiveDeviceTypeResidualCurrentSwitch - A residual current switch opens, closes or isolates a circuit and has no short circuit or overload protection. - - - IfcProtectiveDevice/RESIDUALCURRENTSWITCH - - IfcProtectiveDevice/RESIDUALCURRENTSWITCH - - - Sensitivity - Current leakage to an unwanted leading path during normal operation (IEC 151-14-49). - - - - - - - Sensitivity - 感度 - 감도 - - - - 通常操作における望ましくない引き込みパスとの電流鎖交 (IEC 151-14-49)。 - 정상 작동의 원치 않는 철회 경로와 전류 사슬 교환 (IEC 151-14-49). - - - - - - 残留電流遮断回路が 開いているか、 閉じているか、または 回路から独立しているか、また短絡(ショートサーキット)を保有し、過負荷保護継電方式であるか。 - - - - - Pset_ProtectiveDeviceTypeVaristor - A high voltage surge protection device. - - - IfcProtectiveDevice/VARISTOR - - IfcProtectiveDevice/VARISTOR - - - VaristorType - A list of the available types of varistor from which that required may be selected. - - - - METALOXIDE - ZINCOXIDE - OTHER - NOTKNOWN - UNSET - - - - METALOXIDE - - Metal Oxide - - - - - - - ZINCOXIDE - - Zinc Oxide - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Varistor Type - 保護タイプ - 보호 종류 - - - - 選択が必要となる、バリスターの一覧リスト。 - 선택된 varistor(소자)의 유용한 유형목록 - - - - - - 高圧避雷装置。 - - - - - Pset_PumpOccurrence - Pump occurrence attributes attached to an instance of IfcPump. - - - IfcPump - - IfcPump - - - ImpellerDiameter - Diameter of pump impeller - used to scale performance of geometrically similar pumps. - - - - - - - Impeller Diameter - 羽根直径 - - - - 幾何学的に似たポンプの性能を予測するのに使われる。 - - - - BaseType - Defines general types of pump bases. - -FRAME: Frame. -BASE: Base. -NONE: There is no pump base, such as an inline pump. -OTHER: Other type of pump base. - - - - FRAME - BASE - NONE - OTHER - NOTKNOWN - UNSET - - - - FRAME - - Frame - - - Frame - - - - BASE - - Base - - - Base - - - - NONE - - None - - - There is no pump base, such as an inline pump - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Base Type - 基礎タイプ - - - - ポンプ基礎の一般的な型を定義する(フレーム、(コンクリ)基礎、なし、その他) - - - - DriveConnectionType - The way the pump drive mechanism is connected to the pump. - -DIRECTDRIVE: Direct drive. -BELTDRIVE: Belt drive. -COUPLING: Coupling. -OTHER: Other type of drive connection. - - - - DIRECTDRIVE - BELTDRIVE - COUPLING - OTHER - NOTKNOWN - UNSET - - - - DIRECTDRIVE - - Direct Drive - - - Direct drive - - - - BELTDRIVE - - Belt Drive - - - Belt drive - - - - COUPLING - - Coupling - - - Coupling - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Drive Connection Type - 駆動接続タイプ - - - - ポンプの動力機械がポンプに接続される方法(直動、ベルト、カップリング、その他) - - - - - - - - - - Pset_PumpPHistory - Pump performance history attributes. - - - IfcPump - - IfcPump - - - MechanicalEfficiency - The pumps operational mechanical efficiency. - - - - - Mechanical Efficiency - 機械効率 - - - - ポンプの稼動時の機械効率 - - - - OverallEfficiency - The pump and motor overall operational efficiency. - - - - - Overall Efficiency - 全効率 - - - - ポンプとモーターの運用全効率 - - - - PressureRise - The developed pressure. - - - - - Pressure Rise - 昇圧 - - - - 上がった圧力 - - - - RotationSpeed - Pump rotational speed. - - - - - Rotation Speed - 回転速度 - - - - ポンプ回転速度 - - - - Flowrate - The actual operational fluid flowrate. - - - - - Flowrate - 流量 - - - - 実際の運用流量 - - - - Power - The actual power consumption of the pump. - - - - - Power - 動力 - - - - ポンプの実動力消費 - - - - - - - - - - Pset_PumpTypeCommon - Common attributes of a pump type. - - - IfcPump - - IfcPump - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - FlowRateRange - Allowable range of volume of fluid being pumped against the resistance specified. - - - - - - - Flow Rate Range - 流量範囲 - - - - 指定された抵抗に対してポンプでくみ上げ可能な流対量の許容範囲 - - - - FlowResistanceRange - Allowable range of frictional resistance against which the fluid is being pumped. - - - - - - - Flow Resistance Range - 流体抵抗の範囲 - - - - 流体をポンプでくみ上げる際の摩擦抵抗の許容範囲 - - - - ConnectionSize - The connection size of the to and from the pump. - - - - - - - Connection Size - 接続サイズ - - - - ポンプの入出の接続サイズ - - - - TemperatureRange - Allowable operational range of the fluid temperature. - - - - - - - Temperature Range - 温度範囲 - - - - 流体温度の許容範囲 - - - - NetPositiveSuctionHead - Minimum liquid pressure at the pump inlet to prevent cavitation. - - - - - - - Net Positive Suction Head - 正味吸入側水頭 - - - - キャビテーションを防ぐポンプ入口の最小限の流体圧力 - - - - NominalRotationSpeed - Pump rotational speed under nominal conditions. - - - - - - - Nominal Rotation Speed - 通常の回転速度 - - - - 多目的な状況の下でのポンプの回転速度 - - - - - - ポンプタイプ共通属性 - - - - - Pset_RailingCommon - Properties common to the definition of all occurrences of IfcRailing. - - - IfcRailing - - IfcRailing - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Bauteiltyp - Reference - Reference - 参照記号 - 参考号 - - - Bezeichnung zur Zusammenfassung gleichartiger Bauteile zu einem Bauteiltyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1") pour désigner un "type de construction". Une alternative au nom d'un objet type lorsque les objets types ne sont pas gérés par le logiciel. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 若未采用已知的分类系统,则该属性为该项目中该类型构件的参考编号(例如,类型A-1)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - Height - Height of the object. It is the upper hight of the railing above the floor or stair. -The size information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the size properties, provided in the attached property set, the geometric parameters take precedence. - - - - - - - Höhe - Height - Hauteur - 高さ - 高度 - - - German-description-2 - - Hauteur du garde-corps. C'est la plus grande hauteur du garde-corps relativement au plancher ou à l'escalier. Cette propriété est donnée en complément de la représentation de la forme et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. - オブジェクトの高さ。床または会談から手すりの上部までの高さ。 - 构件的高度。该属性为栏杆在地板或楼梯以上部分的高度。 -该属性所提供的形状信息是对内部形状描述和几何参数的补充。如果几何参数与该属性所提供的形状属性不符,应以几何参数为准。 - - - - Diameter - Diameter of the object. It is the diameter of the handrail of the railing. -The size information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the size properties, provided in the attached property set, the geometric parameters take precedence. -Here the diameter of the hand or guardrail within the railing. - - - - - - - Handlaufdurchmesser - Diameter - Diametre - 直径 - 直径 - - - German-description-3 - - Diamètre de la rampe du garde-corps. Cette propriété est donnée en complément de la représentation de la forme et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. - オブジェクトの直径。 - 构件的直径。栏杆扶手的直径。 -该属性所提供的形状信息是对内部形状描述和几何参数的补充。如果几何参数与该属性所提供的形状属性不符,应以几何参数为准。 -此处为栏杆内侧扶手或护栏的直径。 - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external element and faces the outside of the building. - - - - - - - Außenbauteil - Is External - EstExterieur - 外部区分 - 是否外部构件 - - - Angabe, ob dieses Bauteil ein Aussenbauteil ist (JA) oder ein Innenbauteil (NEIN). Als Aussenbauteil grenzt es an den Aussenraum (oder Erdreich, oder Wasser). - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - 外部の部材かどうかを示すブーリアン値。もしTRUEの場合、外部の部材で建物の外側に面している。 - 表示该构件是否设计为外部构件。若是,则该构件为外部构件,朝向建筑物的外侧。 - - - - - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de la classe IfcRailing - IfcRaling(手すり)オブジェクトに関する共通プロパティセット定義。 - 所有IfcRailing实例的定义中通用的属性。 - - - - - Pset_RampCommon - Properties common to the definition of all occurrences of IfcRamp. - - - IfcRamp - - IfcRamp - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Bauteiltyp - Reference - Reference - 参照記号 - 参考号 - - - Bezeichnung zur Zusammenfassung gleichartiger Bauteile zu einem Bauteiltyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1") pour désigner un "type de construction". Une alternative au nom d'un objet type lorsque les objets types ne sont pas gérés par le logiciel. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 若未采用已知的分类系统,则该属性为该项目中该类型构件的参考编号(例如,类型A-1)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - RequiredHeadroom - Required headroom clearance for the passageway according to the applicable building code or additional requirements. - - - - - - - erforderliche Durchgangshöhe - Required Headroom - HauteurPassageRequise - 要求頭高余裕 - 所需净空 - - - German-description-2 - - Hauteur de passage (échappée) requise selon la réglementation en vigueur ou des spécifications additionnelles. - 要求される頭高余裕。関連する建築基準法を参照。 - 建筑规范或其他规定要求的通道净空高度。 - - - - RequiredSlope - Required sloping angle of the object - relative to horizontal (0.0 degrees). -Required maximum slope for the passageway according to the applicable building code or additional requirements. - - - - - - - erforderliche Neigung - Required Slope - InclinaisonRequise - 要求傾斜 - 所需坡度 - - - German-description-3 - - Inclinaison de la rampe par rapport à l'horizontal (0 degrés). Valeur maximale de l'inclinaison du passage selon le code applicable ou pour respecter des contraintes additionnelles. - 要求される傾斜角度。水平を0度とする。 - 构件所需的相对于水平(0.0度)方向的坡度角。 -建筑规范或其他规定要求的通道的最大坡度。 - - - - HandicapAccessible - Indication that this object is designed to be accessible by the handicapped. -Set to (TRUE) if this ramp is rated as handicap accessible according the local building codes, otherwise (FALSE). - - - - - - - Behindertengerecht - Handicap Accessible - AccessibleHandicapes - ハンディキャップアクセス可能性 - 是否为无障碍设施 - - - German-description-7 - - Indique que cet objet est conçu pour être accessible aux handicapés. Indication donnée selon le Code National. - この空間がハンディキャップ者向けの空間かどうかを示すブーリアン値。 - 表示该构件是否设计为可供残疾人使用的无障碍设施。 -该属性的根据为国家建筑规范。 - - - - HasNonSkidSurface - Indication whether the surface finish is designed to prevent slippery (TRUE) or not (FALSE). - - - - - - - Nichtrutschende Oberfläche - Has Non Skid Surface - AntiDerapant - 滑り止め表面加工区分 - 表面是否防滑 - - - German-description-8 - - Indique si le revêtement de surface est anti dérapant (VRAI) ou non (FAUX) - スリップ防止のための表面仕上げをしているかどうかのブーリアン値。 - 表示表面处理是否设计为防滑的。 - - - - FireExit - Indication whether this object is designed to serve as an exit in the case of fire (TRUE) or not (FALSE). -Here it defines an exit ramp in accordance to the national building code. - - - - - - - Fluchtweg - Fire Exit - SortieSecours - 非常口区分 - 是否为紧急出口 - - - German-description-6 - - Indique si cet objet est conçu pour servir de sortie en cas d'incendie (VRAI) ou non (FAUX). Définition de la sortie de secours selon le Code National. - このオブジェクトが火災時の非常口として設計されているかどうかを示すブーリアン値。ここでは関連する建築基準法における出口ドアとして定義している。 - 表示该构件是否设计为火灾时的紧急出口。 -该属性的依据为国家建筑规范。 - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external element and faces the outside of the building. - - - - - - - Außenbauteil - Is External - EstExterieur - 外部区分 - 是否外部构件 - - - Angabe, ob dieses Bauteil ein Aussenbauteil ist (JA) oder ein Innenbauteil (NEIN). Als Aussenbauteil grenzt es an den Aussenraum (oder Erdreich, oder Wasser). - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - 外部の部材かどうかを示すブーリアン値。もしTRUEの場合、外部の部材で建物の外側に面している。 - 表示该构件是否设计为外部构件。若是,则该构件为外部构件,朝向建筑物的外侧。 - - - - ThermalTransmittance - - - - - - - - - - LoadBearing - - - - - - - - - - FireRating - Fire rating for this object. -It is given according to the national fire safety classification. - - - - - - - Feuerwiderstandsklasse - Fire Rating - ResistanceAuFeu - 耐火等級 - 防火等级 - - - Feuerwiderstandasklasse gemäß der nationalen oder regionalen Brandschutzverordnung. - - Classement au feu de l'élément donné selon la classification nationale de sécurité incendie. - 主要な耐火等級。関連する建築基準法、消防法などの国家基準を参照。 - 该构件的防火等级。 -该属性的依据为国家防火安全分级。 - - - - - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de la classe IfcRamp - IfcRamp(ランプ)オブジェクトに関する共通プロパティセット定義。 - 所有IfcRamp实例的定义中通用的属性。 - - - - - Pset_RampFlightCommon - Properties common to the definition of all occurrences of IfcRampFlight. - - - IfcRampFlight - - IfcRampFlight - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Bauteiltyp - Reference - Reference - 参照記号 - 参考号 - - - Bezeichnung zur Zusammenfassung gleichartiger Bauteile zu einem Bauteiltyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1") pour désigner un "type de construction". Une alternative au nom d'un objet type lorsque les objets types ne sont pas gérés par le logiciel. - 参照記号でプロジェクトでのタイプとして使用されるもの。 - 若未采用已知的分类系统,则该属性为该项目中该类型构件的参考编号(例如,类型A-1)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - Headroom - Actual headroom clearance for the passageway according to the current design. -The shape information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the shape properties, provided in the attached property, the geometric parameters take precedence. - - - - - - - Durchgangshöhe - Headroom - HauteurPassage - 頭上スペース - 净空 - - - German-description-2 - - Hauteur de passage (échappée) actuellement projetée. Cette propriété est donnée en complément de la représentation de la forme de l'élément et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. - 現状の設計に一致した斜路の実際の頭上スペース高 -形状の情報は、内側は使用される形表現および幾何パラメータ学的媒介変数に加えて提供されます。 -幾何パラメータと形状プロパティが矛盾する場合は、付属のプロパティで提供されている、幾何パラメータを優先する。 - 当前设计方案确定的通道实际净空高度。 -该属性所提供的形状信息是对内部形状描述和几何参数的补充。如果几何参数与该属性所提供的形状属性不符,应以几何参数为准。 - - - - ClearWidth - Actual clear width measured as the clear space for accessibility and egress; it is a measured distance betwen the two handrails or the wall and a handrail on a ramp. -The shape information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the shape properties, provided in the attached property, the geometric parameters take precedence. - - - - - - - Lichte Breite - Clear Width - LargeurPassage - 通路有効寸法 - 净宽 - - - German-description-3 - - Largeur du passage. Mesure de la distance entre les deux rampes ou entre le mur et la rampe. Cette propriété est donnée en complément de la représentation de la forme de l'élément et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. - 実際の通路の有効幅 -形情報は、内側は使用される形表現および幾何学的媒介変数に加えて提供されます。幾何学的媒介変数と形特性の間の矛盾の場合では、付属の特性の中で提供されて、幾何学的媒介変数は先行をとります。" - 通道入口和出口实际测量的净宽度,以两侧扶手之间或墙与坡道扶手之间的距离为准。 -该属性所提供的形状信息是对内部形状描述和几何参数的补充。如果几何参数与该属性所提供的形状属性不符,应以几何参数为准。 - - - - Slope - Sloping angle of the object - relative to horizontal (0.0 degrees). -Actual maximum slope for the passageway according to the current design. -The shape information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the shape properties, provided in the attached property, the geometric parameters take precedence. - - - - - - - Neigung - Slope - Pente - 通路の傾斜角度(水平からの角度) - 坡度 - - - German-description-4 - - Angle d'inclinaison relativement à l'horizontale correspondant à la valeur 0 degrés. Valeur maximale de l'inclinaison actuellement projetée. Cette propriété est donnée en complément de la représentation de la forme de l'élément et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. - オブジェクト傾斜角度(水平が0.0度) -現在の設計による通路のための実際の最大の傾斜。形情報は、内側は使用される形表現および幾何学的媒介変数に加えて提供されます。幾何学的媒介変数と形特性の間の矛盾の場合では、付属の特性の中で提供されて、幾何学的媒介変数は先行をとります。" - 构件相对于水平(0.0度)方向的实际坡度角。 -当前设计方案确定的通道的最大坡度。 -该属性所提供的形状信息是对内部形状描述和几何参数的补充。如果几何参数与该属性所提供的形状属性不符,应以几何参数为准。 - - - - CounterSlope - Sloping angle of the object, measured perpendicular to the slope - relative to horizontal (0.0 degrees). -Actual maximum slope for the passageway measured perpendicular to the direction of travel according to the current design. The shape information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the shape properties, provided in the attached property, the geometric parameters take precedence. -Note: new property in IFC4. - - - - - - - Gegenneigung - Counter Slope - ContrePente - 通路の傾斜角度(垂直との角度) - 反向坡度 - - - German-description-5 - - Angle d'inclinaison de l'objet, mesuré perpendiculairement à la pente. L'horizontale correspond à la valeur 0 degrés. Valeur maximale de la pente de la rampe actuellement projetée, mesurée perpendiculairement à la direction du passage. Cette propriété est donnée en complément de la représentation de la forme de l'élément et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. Note : nouvelle propriété de la version IFC2x4. - オブジェクトの傾斜角度(垂直との角度) -通路のための実際の最大の傾斜は、現在の設計による旅行の方向への垂直を測定しました。形情報は、内側は使用される形表現および幾何学的媒介変数に加えて提供されます。幾何学的媒介変数と形特性の間の矛盾の場合では、付属の特性の中で提供されて、幾何学的媒介変数は先行をとります。 -注:IFC2x4の中の新しいプロパティ - 构件的垂线相对于水平(0.0度)方向的坡度角。 -当前设计方案确定的通道行走方向的垂线方向的最大坡度。 -该属性所提供的形状信息是对内部形状描述和几何参数的补充。如果几何参数与该属性所提供的形状属性不符,应以几何参数为准。 - - - - - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de la classe IfcRampFlight - IfcRampFlight(斜路)オブジェクトに関する共通プロパティセット定義。 - 所有IfcRampFlight实例的定义中通用的属性。 - - - - - Pset_ReinforcementBarCountOfIndependentFooting - Reinforcement Concrete parameter [ST-2]: The amount number information of reinforcement bar with the independent footing. The X and Y direction are based on the local coordinate system of building storey. The X and Y direction of the reinforcement bar are parallel to the X and Y axis of the IfcBuildingStorey's local coordinate system, respectively. - - - IfcFooting - - IfcFooting - - - Description - Description of the reinforcement. - - - - - - - Description - 説明 - - - - 鉄筋の説明。 - - - - Reference - A descriptive label for the general reinforcement type. - - - - - - - Reference - 参照記号 - - - - 一般的な鉄筋タイプの説明ラベル。 - - - - XDirectionLowerBarCount - The number of bars with X direction lower bar. - - - - - - - XDirection Lower Bar Count - X方向下端筋本数 - - - - X方向の下端筋本数。 - - - - YDirectionLowerBarCount - The number of bars with Y direction lower bar. - - - - - - - YDirection Lower Bar Count - Y方向下端筋本数 - - - - Y方向の下端筋本数。 - - - - XDirectionUpperBarCount - The number of bars with X direction upper bar. - - - - - - - XDirection Upper Bar Count - X方向上端筋本数 - - - - X方向の上端筋本数。 - - - - YDirectionUpperBarCount - The number of bars with Y direction upper bar. - - - - - - - YDirection Upper Bar Count - Y方向上端筋本数 - - - - Y方向の上端筋本数。 - - - - - - 鉄筋コンクリートパラメータ[ST-2]:独立基礎の鉄筋本数情報。 -X方向とY方向は建物のローカル座標系に基づいている。X方向とY方向の鉄筋はIfcBuildingStoreyのローカル座標系のX軸、Y軸にそれぞれ平行である。 - - - - - Pset_ReinforcementBarPitchOfBeam - The pitch length information of reinforcement bar with the beam. - - - IfcBeam - - IfcBeam - - - Description - Description of the reinforcement. - - - - - - - Description - 説明 - - - - 鉄筋の説明。 - - - - Reference - A descriptive label for the general reinforcement type. - - - - - - - Reference - 参照記号 - - - - 一般的な鉄筋タイプの説明ラベル。 -(例えば、梁の両端・中央で肋筋や巾止筋の間隔が異なる場合に、"Start","Center","End"を記述する) - - - - StirrupBarPitch - The pitch length of the stirrup bar. - - - - - - - Stirrup Bar Pitch - 肋筋間隔 - - - - 肋筋の間隔。 - - - - SpacingBarPitch - The pitch length of the spacing bar. - - - - - - - Spacing Bar Pitch - 幅止筋間隔 - - - - 巾止筋の間隔。 - - - - - - 梁補強筋の間隔情報。 - - - - - Pset_ReinforcementBarPitchOfColumn - The pitch length information of reinforcement bar with the column. The X and Y direction are based on the local coordinate system of building storey. The X and Y direction of the reinforcement bar are parallel to the X and Y axis of the IfcBuildingStorey's local coordinate system, respectively. - - - IfcColumn - - IfcColumn - - - Description - Description of the reinforcement. - - - - - - - Description - 説明 - - - - 鉄筋の説明。 - - - - Reference - A descriptive label for the general reinforcement type. - - - - - - - Reference - 参照記号 - - - - 一般的な鉄筋タイプの説明ラベル。 -(例えば、柱の柱頭・柱脚で帯筋や巾止筋の間隔・本数が異なる場合に、"Top","Bottom"を記述する) - - - - ReinforcementBarType - Defines the type of the reinforcement bar. - - - - RING - SPIRAL - OTHER - USERDEFINED - NOTDEFINED - - - - RING - - Ring - - - - - - - SPIRAL - - Spiral - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - USERDEFINED - - Userdefined - - - - - - - NOTDEFINED - - Notdefined - - - - - - - - - - Reinforcement Bar Type - 補強筋タイプ - - - - 補強筋タイプの定義。 - - - - HoopBarPitch - The pitch length of the hoop bar. - - - - - - - Hoop Bar Pitch - 帯筋間隔 - - - - 帯筋の間隔。 - - - - XDirectionTieHoopBarPitch - The X direction pitch length of the tie hoop. - - - - - - - XDirection Tie Hoop Bar Pitch - X方向巾止め筋間隔 - - - - X方向巾止筋の間隔。 - - - - XDirectionTieHoopCount - The number of bars with X direction tie hoop bars. - - - - - - - XDirection Tie Hoop Count - X方向巾止め筋本数 - - - - X方向巾止筋の本数。 - - - - YDirectionTieHoopBarPitch - The Y direction pitch length of the tie hoop. - - - - - - - YDirection Tie Hoop Bar Pitch - Y方向巾止め筋間隔 - - - - Y方向巾止筋の間隔。 - - - - YDirectionTieHoopCount - The number of bars with Y direction tie hoop bars. - - - - - - - YDirection Tie Hoop Count - Y方向巾止め筋本数 - - - - Y方向巾止筋の本数。 - - - - - - 柱補強筋の間隔情報。 -X方向とY方向は建物のローカル座標系に基づいている。X方向とY方向の補強筋はIfcBuildingStoreyのローカル座標系のX軸、Y軸にそれぞれ平行である。 - - - - - Pset_ReinforcementBarPitchOfContinuousFooting - Reinforcement Concrete parameter [ST-2]: The pitch length information of reinforcement bar with the continuous footing. - - - IfcFooting - - IfcFooting - - - Description - Description of the reinforcement. - - - - - - - Description - 説明 - - - - 鉄筋の説明。 - - - - Reference - A descriptive label for the general reinforcement type. - - - - - - - Reference - 参照記号 - - - - 一般的な鉄筋タイプの説明ラベル。 - - - - CrossingUpperBarPitch - The pitch length of the crossing upper bar. - - - - - - - Crossing Upper Bar Pitch - 上端筋間隔 - - - - 交差する上端筋間隔。 - - - - CrossingLowerBarPitch - The pitch length of the crossing lower bar. - - - - - - - Crossing Lower Bar Pitch - 下端筋間隔 - - - - 交差する下端筋間隔。 - - - - - - 鉄筋コンクリートパラメータ[ST-2]:布基礎の補強筋間隔情報。 - - - - - Pset_ReinforcementBarPitchOfSlab - The pitch length information of reinforcement bar with the slab. - - - IfcSlab - - IfcSlab - - - Description - Description of the reinforcement. - - - - - - - Description - 説明 - - - - 鉄筋の説明。 - - - - Reference - A descriptive label for the general reinforcement type. - - - - - - - Reference - 参照記号 - - - - 一般的な鉄筋タイプの説明ラベル。 - - - - LongOutsideTopBarPitch - The pitch length of the long outside top bar. - - - - - - - Long Outside Top Bar Pitch - 長辺・柱列帯・上端ピッチ - - - - 長辺方向・柱列帯・上端の鉄筋間隔。 - - - - LongInsideCenterTopBarPitch - The pitch length of the long inside center top bar. - - - - - - - Long Inside Center Top Bar Pitch - 長辺・柱列帯・上端中央ピッチ - - - - 長辺方向・柱間帯・上端中央の鉄筋間隔。 - - - - LongInsideEndTopBarPitch - The pitch length of the long inside end top bar. - - - - - - - Long Inside End Top Bar Pitch - 長辺・柱列帯・上端端部ピッチ - - - - 長辺方向・柱間帯・上端端部の鉄筋間隔。 - - - - ShortOutsideTopBarPitch - The pitch length of the short outside top bar. - - - - - - - Short Outside Top Bar Pitch - 短辺・柱列帯・上端ピッチ - - - - 短辺方向・柱列帯・上端の鉄筋間隔。 - - - - ShortInsideCenterTopBarPitch - The pitch length of the short inside center top bar. - - - - - - - Short Inside Center Top Bar Pitch - 短辺・柱列帯・上端中央ピッチ - - - - 短辺方向・柱間帯・上端中央の鉄筋間隔。 - - - - ShortInsideEndTopBarPitch - The pitch length of the short inside end top bar. - - - - - - - Short Inside End Top Bar Pitch - 短辺・柱列帯・上端端部ピッチ - - - - 短辺方向・柱間帯・上端端部の鉄筋間隔。 - - - - LongOutsideLowerBarPitch - The pitch length of the long outside lower bar. - - - - - - - Long Outside Lower Bar Pitch - 長辺・柱列帯・下端ピッチ - - - - 長辺方向・柱列帯・下端の鉄筋間隔。 - - - - LongInsideCenterLowerBarPitch - The pitch length of the long inside center lower bar. - - - - - - - Long Inside Center Lower Bar Pitch - 長辺・柱列帯・下端中央ピッチ - - - - 長辺方向・柱間帯・下端中央の鉄筋間隔。 - - - - LongInsideEndLowerBarPitch - The pitch length of the long inside end lower bar. - - - - - - - Long Inside End Lower Bar Pitch - 長辺・柱列帯・下端端部ピッチ - - - - 長辺方向・柱間帯・下端端部の鉄筋間隔。 - - - - ShortOutsideLowerBarPitch - The pitch length of the short outside lower bar. - - - - - - - Short Outside Lower Bar Pitch - 短辺・柱列帯・下端ピッチ - - - - 短辺方向・柱列帯・下端の鉄筋間隔。 - - - - ShortInsideCenterLowerBarPitch - The pitch length of the short inside center lower bar. - - - - - - - Short Inside Center Lower Bar Pitch - 短辺・柱列帯・下端中央ピッチ - - - - 短辺方向・柱間帯・下端中央の鉄筋間隔。 - - - - ShortInsideEndLowerBarPitch - The pitch length of the short inside end lower bar. - - - - - - - Short Inside End Lower Bar Pitch - 短辺・柱列帯・下端端部ピッチ - - - - 短辺方向・柱間帯・下端端部の鉄筋間隔。 - - - - - - スラブの鉄筋間隔に関する情報。 - - - - - Pset_ReinforcementBarPitchOfWall - The pitch length information of reinforcement bar with the wall. - - - IfcWall - - IfcWall - - - Description - Description of the reinforcement. - - - - - - - Description - 説明 - - - - 鉄筋の説明。 - - - - Reference - A descriptive label for the general reinforcement type. - - - - - - - Reference - 参照記号 - - - - 一般的な鉄筋タイプの説明ラベル。 -(例えば、壁の外側・内側で鉄筋間隔が異なる場合に、"Outside","Inside"を記述する) - - - - BarAllocationType - Defines the type of the reinforcement bar allocation. - - - - SINGLE - DOUBLE - ALTERNATE - OTHER - USERDEFINED - NOTDEFINED - - - - SINGLE - - Single - - - - - - - DOUBLE - - Double - - - - - - - ALTERNATE - - Alternate - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - USERDEFINED - - Userdefined - - - - - - - NOTDEFINED - - Notdefined - - - - - - - - - - Bar Allocation Type - 配筋タイプ - - - - 配筋タイプの定義。 - - - - VerticalBarPitch - The pitch length of the vertical bar. - - - - - - - Vertical Bar Pitch - 縦筋ピッチ - - - - 鉛直方向の補強筋の間隔。 - - - - HorizontalBarPitch - The pitch length of the horizontal bar. - - - - - - - Horizontal Bar Pitch - 横筋ピッチ - - - - 水平方向の補強筋の間隔。 - - - - SpacingBarPitch - The pitch length of the spacing bar. - - - - - - - Spacing Bar Pitch - 巾止筋ピッチ - - - - 巾止筋の間隔。 - - - - - - 壁における補強筋のピッチ長さ情報。 - - - - - Pset_Risk - An indication of exposure to mischance, peril, menace, hazard or loss. - -HISTORY: Extended in IFC2x3 - -There are various types of risk that may be encountered and there may be several instances of Pset_Risk associated in an instance of an IfcProcess. -Specification of this property set incorporates the values of the Incom risk analysis matrix (satisfying AS/NZS 4360) together with additional identified requirements. - - - IfcProcess - - IfcProcess - - - RiskType - Identifies the predefined types of risk from which the type required may be set. - - - - BUSINESS - HAZARD - HEALTHANDSAFETY - INSURANCE - OTHER - NOTKNOWN - UNSET - - - - BUSINESS - - Business - - - - - - - HAZARD - - Hazard - - - - - - - HEALTHANDSAFETY - - Health and Safety - - - - - - - INSURANCE - - Insurance - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Risk Type - - - - - - - NatureOfRisk - An indication of the generic nature of the risk that might be encountered. - -NOTE: It is anticipated that there will be a local agreement that constrains the values that might be assigned to this property. An example might be 'Fall' or 'Fall of grille unit' causing injury and damage to person and property. - - - - - - - Nature Of Risk - - - - - - - SubNatureOfRisk1 - A first subsidiary value that might be assigned to designate a more specific type of risk. - -NOTE: Nature of risk may be identified in various ways depending upon the place where risk assessment takes place and according to local agreement. This property set allows for a generic nature of risk and up to two subsidiary natures. An example might be 'causing injury and damage'. - - - - - - - Sub Nature Of Risk1 - - - - - - - SubNatureOfRisk2 - A second subsidiary value that might be assigned to designate a more specific type of risk. An example might be 'o person and property'. - - - - - - - Sub Nature Of Risk2 - - - - - - - RiskCause - A value that may be assigned to capture the cause or trigger for the risk. An example might be 'poor fixing'. - - - - - - - Risk Cause - - - - - - - AssessmentOfRisk - Likelihood of risk event occurring. - -Note that assessment of risk may frequently be associated with the physical location of the object for which the risk is assessed. - - - - ALMOSTCERTAIN - VERYLIKELY - LIKELY - VERYPOSSIBLE - POSSIBLE - SOMEWHATPOSSIBLE - UNLIKELY - VERYUNLIKELY - RARE - OTHER - NOTKNOWN - UNSET - - - - ALMOSTCERTAIN - - Almost Certain - - - - - - - VERYLIKELY - - Very Likely - - - - - - - LIKELY - - Likely - - - - - - - VERYPOSSIBLE - - Very Possible - - - - - - - POSSIBLE - - Possible - - - - - - - SOMEWHATPOSSIBLE - - Somewhat Possible - - - - - - - UNLIKELY - - Unlikely - - - - - - - VERYUNLIKELY - - Very Unlikely - - - - - - - RARE - - Rare - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Assessment Of Risk - - - - - - - RiskConsequence - Indicates the level of severity of the consequences that the risk would have in case it happens. - - - - CATASTROPHIC - SEVERE - MAJOR - CONSIDERABLE - MODERATE - SOME - MINOR - VERYLOW - INSIGNIFICANT - OTHER - NOTKNOWN - UNSET - - - - CATASTROPHIC - - Catastrophic - - - - - - - SEVERE - - Severe - - - - - - - MAJOR - - Major - - - - - - - CONSIDERABLE - - Considerable - - - - - - - MODERATE - - Moderate - - - - - - - SOME - - Some - - - - - - - MINOR - - Minor - - - - - - - VERYLOW - - Very Low - - - - - - - INSIGNIFICANT - - Insignificant - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Risk Consequence - - - - - - - RiskRating - A general rating of the risk that may be determined from a combination of the risk assessment and risk consequence. - - - - CRITICAL - VERYHIGH - HIGH - CONSIDERABLE - MODERATE - SOME - LOW - VERYLOW - INSIGNIFICANT - OTHER - NOTKNOWN - UNSET - - - - CRITICAL - - Critical - - - - - - - VERYHIGH - - Veryhigh - - - - - - - HIGH - - High - - - - - - - CONSIDERABLE - - Considerable - - - - - - - MODERATE - - Moderate - - - - - - - SOME - - Some - - - - - - - LOW - - Low - - - - - - - VERYLOW - - Verylow - - - - - - - INSIGNIFICANT - - Insignificant - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Risk Rating - - - - - - - RiskOwner - A determination of who is the owner of the risk by reference to principal roles of organizations within a project. Determination of the specific organization should be by reference to instances of IfcActorRole assigned to instances of IfcOrganization (if assigned). - - - - DESIGNER - SPECIFIER - CONSTRUCTOR - INSTALLER - MAINTAINER - OTHER - NOTKNOWN - UNSET - - - - DESIGNER - - Designer - - - - - - - SPECIFIER - - Specifier - - - - - - - CONSTRUCTOR - - Constructor - - - - - - - INSTALLER - - Installer - - - - - - - MAINTAINER - - Maintainer - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Risk Owner - - - - - - - AffectsSurroundings - Indicates wether the risk affects only to the person assigned to that task (FALSE) or if it can also affect to the people in the surroundings (TRUE). - -For example, the process of painting would affect all the people in the vicinity of the process. - - - - - - - Affects Surroundings - - - - - - - PreventiveMeassures - Identifies preventive measures to be taken to mitigate risk. - - - - - - - - - Preventive Meassures - - - - - - - - - - - - - Pset_RoofCommon - Properties common to the definition of all occurrences of IfcRoof. Note: Properties for ProjectedArea and TotalArea added in IFC 2x3 - - - IfcRoof - - IfcRoof - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Bauteiltyp - Reference - Reference - 参照記号 - 参考号 - - - Bezeichnung zur Zusammenfassung gleichartiger Bauteile zu einem Bauteiltyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1") pour désigner un "type de construction". Une alternative au nom d'un objet type lorsque les objets types ne sont pas gérés par le logiciel. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 若未采用已知的分类系统,则该属性为该项目中该类型构件的参考编号(例如,类型A-1)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - AcousticRating - Acoustic rating for this object. -It is provided according to the national building code. It indicates the sound transmission resistance of this object by an index ratio (instead of providing full sound absorbtion values). - - - - - - - Schallschutzklasse - Acoustic Rating - Isolation acoustique - 遮音等級 - - - Schallschutzklasse gemäß der nationalen oder regionalen Schallschutzverordnung. - - Classement acoustique de cet objet. Donné selon le Code National du Bâtiment. Il indique la résistance à la transmission du son de cet objet par une valeur de référence (au lieu de fournir les valeurs totales d'absorption du son). - 遮音等級情報。関連する建築基準法を参照。 - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external element and faces the outside of the building. - - - - - - - Außenbauteil - Is External - EstExterieur - 外部区分 - 是否外部构件 - - - Angabe, ob dieses Bauteil ein Aussenbauteil ist (JA) oder ein Innenbauteil (NEIN). Als Aussenbauteil grenzt es an den Aussenraum (oder Erdreich, oder Wasser). - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - 外部の部材かどうかを示すブーリアン値。もしTRUEの場合、外部の部材で建物の外側に面している。 - 表示该构件是否设计为外部构件。若是,则该构件为外部构件,朝向建筑物的外侧。 - - - - ThermalTransmittance - Thermal transmittance coefficient (U-Value) of a material. -Here the total thermal transmittance coefficient through the roof surface (including all materials). - - - - - - - U-Wert - Thermal Transmittance - TransmissionThermique - 熱貫流率 - 导热系数 - - - Wärmedurchgangskoeffizient (U-Wert) der Materialschichten. -Hier der Gesamtwärmedurchgangskoeffizient der Dachkonstruktion (für alle Schichten). - - Coefficient de transmission thermique surfacique (U). C'est le coefficient global de transmission thermique à travers la surface de la couverture (tous matériaux inclus). - 熱貫流率(U値)。 -ここでは(すべての材料を含む)屋根面を通した全体の熱還流率を示す。 - 材料的导热系数(U值)。 -表示穿过该屋顶表面的整体导热系数(包括所有材料) - - - - LoadBearing - - - - - - - - - - FireRating - Fire rating for this object. It is given according to the national fire safety classification. - - - - - - - Feuerwiderstandsklasse - Fire Rating - ResistanceAuFeu - 耐火等級 - 防火等级 - - - Feuerwiderstandasklasse gemäß der nationalen oder regionalen Brandschutzverordnung. - - Classement au feu de l'élément donné selon la classification nationale de sécurité incendie. - 主要な耐火等級。関連する建築基準法、消防法などの国家基準によって指定される。 - 该构件的防火等级。 -该属性的依据为国家防火安全分级。 - - - - - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de la classe IfcRoof. Nota : les propriétés SurfaceProjection et SurfaceTotale ont été introduites depuis la version 2x3. - IfcRoof(屋根)オブジェクトに関する共通プロパティセット定義。 -注:建築面積と延床面積のプロパティは、IFC2x3から追加された。 - 所有IfcRoof实例的定义中通用的属性。 - - - - - Pset_SanitaryTerminalTypeBath - Sanitary appliance for immersion of the human body or parts of it (BS6100). HISTORY: In IFC4, Material and MaterialThickness properties removed. Use materials capabilities from IfcMaterialsResource schema. Datatype of color changed to IfcLabel (still a string value) - - - IfcSanitaryTerminal/BATH - - IfcSanitaryTerminal/BATH - - - BathType - The property enumeration defines the types of bath that may be specified within the property set. - - - - DOMESTIC - DOMESTICCORNER - FOOT - JACUZZI - PLUNGE - SITZ - TREATMENT - WHIRLPOOL - OTHER - NOTKNOWN - UNSET - - - - DOMESTIC - Bath, for one person at a time, into which the whole body can be easily immersed. - - - Domestic - - - - - - - FOOT - Shallow bath for washing the feet. - - Foot - - - - - - - POOL - Indoor or outdoor pool. - - - - - PLUNGE - Bath, usually for more than one person at a time, into which the whole body can be easily immersed. - - Plunge - - - - - - - SITZ - Bath in which a bather sits as in a chair. - - Sitz - - - - - - - SPA - Indoor or outdoor pool designed for multiple people in which an integrated device agitates the water by pumped circulation or induction of water and/or air. - - Whirlpool - - - - - - - TREATMENT - Bath used for hydrotherapy purposes. - - Treatment - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Bath Type - バスタイプ - - - - 列挙するプロパティは、プロパティセット内で指定することができるバスの種類の定義: - -家庭用:全身を簡単に浸漬することができる一度に1人の人間が入るバス。 - -家庭用Corner:浸漬トラフが傾いていて、全身を簡単に浸漬することができる一度に1人の人間が入るバス。 - -フットバス:足を洗う浅いバス。 - -ジャグジー:複数の人のための渦のバス - -プランジバス:通常は全身を簡単に浸漬することができまる一度に複数の人の入るバス。 - -座バス:水浴を椅子のように座って行うバス。 - -治療バス:水浴セラピーの目的に使用されるバス。 - -渦バス:ポンプによる水の循環や、水や空気の誘引により水を攪拌する統合された装置としてのバス。 - - - - DrainSize - The size of the drain outlet connection from the object. - - - - - - - Drain Size - ドレインサイズ - - - - 排水口の接続のサイズ。 - - - - HasGrabHandles - Indicates whether the bath is fitted with handles that provide assistance to a bather in entering or leaving the bath. - - - - - - - Has Grab Handles - 手すりの有無 - - - - 風呂の出入りを補助する手すりが取り付けられているかどうかを示す。 - - - - - - 人体の全体かその一部を浸す衛生器具(BS6100)。履歴:IFC4では材料および材料厚さ属性削除。使用材料の機能は IfcMaterialsResourceスキーマを使用。色のデータ型は、(まだ文字列値)IfcLabelに変更。 - - - - - Pset_SanitaryTerminalTypeBidet - Waste water appliance for washing the excretory organs while sitting astride the bowl (BS6100). HISTORY: In IFC4, Material property removed. Use materials capabilities from IfcMaterialsResource schema. Datatype of color changed to IfcLabel (still a string value). BidetMounting changed to Mounting. - - - IfcSanitaryTerminal/BIDET - - IfcSanitaryTerminal/BIDET - - - Mounting - The property enumeration Pset_SanitaryMountingEnum defines the forms of mounting or fixing of the sanitary terminal that may be specified within property sets used to define sanitary terminals (WC’s, basins, sinks, etc.) where:- - -BackToWall: A pedestal mounted sanitary terminal that fits flush to the wall at the rear to cover its service connections -. -Pedestal: A floor mounted sanitary terminal that has an integral base -. -CounterTop: A sanitary terminal that is installed into a horizontal surface that is installed into a horizontal surface. Note: When applied to a wash hand basin, the term more normally used is ‘vanity’. See also Wash Hand Basin Type specification. -WallHung: A sanitary terminal cantilevered clear of the floor. - -Note that BackToWall, Pedestal and WallHung are allowable values for a bidet. - - - - BACKTOWALL - PEDESTAL - COUNTERTOP - WALLHUNG - OTHER - NOTKNOWN - UNSET - - - - BACKTOWALL - - Back To Wall - - - - - - - PEDESTAL - - Pedestal - - - - - - - COUNTERTOP - - Countertop - - - - - - - WALLHUNG - - Wall Hung - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Mounting - 装着 - - - - 列挙するプロパティはPset_SanitaryMountingEnumでは(トイレの、洗面台、シンクなど)、衛生配管への装着法で定義される: - -床置き壁排水:台座は、カバーの背面の壁にあるフラッシュバルブに接続される。 - -床置き:床の衛生配管に装着される。 - -カウンター:水平面に設置された衛生配管に接続します。注:手洗器があると、通常は'化粧'が使用される。手洗器を参照。 - -壁掛け:衛生配管は壁から出され床には何もなくなる。。 - -床置き壁排水、床置き、壁掛けは、ビデの許容値であることに注意。 - - - - SpilloverLevel - The level at which water spills out of the object. - - - - - - - Spillover Level - 流出レベル - - - - 水がこぼれるレベル。 - - - - DrainSize - The size of the drain outlet connection from the object. - - - - - - - Drain Size - ドレインサイズ - - - - 排水口の接続のサイズ。 - - - - - - ボウル(BS6100)にまたがって座って排泄器官を洗浄するための排水器具を設定します。履歴:IFC4では、材料のプロパティが削除されます。 -使用材料の機能は IfcMaterialsResourceスキーマを使用。 -色のデータ型は、IfcLabel(まだ文字列値)に変更。BidetMountingをMountingに変更。 - - - - - Pset_SanitaryTerminalTypeCistern - A water storage unit attached to a sanitary terminal that is fitted with a device, operated automatically or by the user, that discharges water to cleanse a water closet (toilet) pan, urinal or slop hopper. (BS6100 330 5008) - - - IfcSanitaryTerminal/CISTERN - - IfcSanitaryTerminal/CISTERN - - - CisternHeight - Enumeration that identifies the height of the cistern or, if set to 'None' if the urinal has no cistern and is flushed using mains or high pressure water through a flushing valve. - - - - HIGHLEVEL - LOWLEVEL - NONE - OTHER - NOTKNOWN - UNSET - - - - HIGHLEVEL - - High-level - - - - - - - LOWLEVEL - - Low-level - - - - - - - NONE - - None - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Cistern Height - 貯水タンクの高さ - - - - 貯水タンクの高さを示す。小便器がフラッシュバルブを使い貯水タンクを持っていない場合は'None'に設定される。 - - - - CisternCapacity - Volumetric capacity of the cistern - - - - - - - Cistern Capacity - 貯水タンク容量 - - - - 貯水タンクの体積容量。 - - - - IsSingleFlush - Indicates whether the cistern is single flush = TRUE (i.e. the same amount of water is used for each and every flush) or dual flush = FALSE (i.e. the amount of water used for a flush may be selected by the user to be high or low depending on the waste material to be removed). - - - - - - - Is Single Flush - 単一のフラッシュ - - - - 単一フラッシュ= TRUE(各洗浄に同量の水が使用される)、デュアルフラッシュ= FALSE(洗浄する汚物に応じてハイまたはローをユーザが選択することができるフラッシュ使用)の指標を設定する。 - - - - FlushType - The property enumeration Pset_FlushTypeEnum defines the types of flushing mechanism that may be specified for cisterns and sanitary terminals where:- - -Lever: Flushing is achieved by twisting a lever that causes a predetermined flow of water to be passed from a cistern to the sanitary terminal. -Pull: Flushing is achieved by pulling a handle or knob vertically upwards that causes a predetermined flow of water to be passed from a cistern to the sanitary terminal. -Push: Flushing is achieved by pushing a button or plate that causes a predetermined flow of water to be passed from a cistern to the sanitary terminal. -Sensor: Flush is activated through an automatic sensing mechanism. - - - - LEVER - PULL - PUSH - SENSOR - OTHER - NOTKNOWN - UNSET - - - - LEVER - - Lever - - - - - - - PULL - - Pull - - - - - - - PUSH - - Push - - - - - - - SENSOR - - Sensor - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Flush Type - タイプフラッシュ - - - - 列挙するプロパティはPset_FlushTypeEnumでは貯水槽や衛生配管の配置による、フラッシュメカニズムのタイプを定義する: - -レバー式:洗浄水は、レバーをねじることによって貯水タンクから衛生配管にの所定の流量を流す。 - -引っ張り式:洗浄水は、ハンドルまたはノブを垂直方向に引くことによって貯水タンクから衛生配管にの所定の流量を流す。 - -押しボタン式:洗浄水は、ボタンかプレートを押すことによって貯水タンクから衛生配管にの所定の流量を流す。 - -センサー式:洗浄水は、自動検出機構を介して作動する。 - - - - FlushRate - The minimum and maximum volume of water used at each flush. Where a single flush is used, the value of upper bound and lower bound should be equal. For a dual flush toilet, the lower bound should be used for the lesser flush rate and the upper bound for the greater flush rate. Where flush is achieved using mains pressure water through a flush valve, the value of upper and lower bound should be equal and should be the same as the flush rate property of the flush valve (see relevant valve property set). Alternatively, in this case, do not assert the flush rate property; refer to the flush rate of the flush valve. - - - - - - - Flush Rate - フラッシュレート - - - - 各フラッシュで使用される水量の最小値と最大値。単一フラッシュが使用されている場合、上下限値は同じ。デュアルフラッシュトイレについては、下限が低いフラッシュレート、上限に大きいフラッシュ率を使用する。ここで、洗浄はフラッシュバルブを通した水の水圧を用いて達成されるので、フラッシュレートとフラッシュバルブの上下限値と等しくなければなりません(関連バルブプロパティセットを参照してください)。また、この場合には、フラッシュレートのプロパティを設定しない。フラッシュバルブのフラッシュレートを参照。 - - - - IsAutomaticFlush - Boolean value that determines if the cistern is flushed automatically either after each use or periodically (TRUE) or whether manual flushing is required (FALSE). - - - - - - - Is Automatic Flush - 自動フラッシュか - - - - 貯水タンクは、使用後に自動的または定期的に洗浄する場合(TRUE)、手動で洗浄する場合(FALSE)をブーリアン値で指定する。 - - - - - - 衛生配管に接続されている貯水装置で、自動または手動により、大便器(トイレ)パン、小便器や汚物ホッパーなどを排水により洗浄する。 (BS61003305008) - - - - - Pset_SanitaryTerminalTypeCommon - Common properties for sanitary terminals. - - - IfcSanitaryTerminal - - IfcSanitaryTerminal - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照記号 - - - - 使用される認識分類システムで分類基準がない場合、プロジェクトで指定された型(タイプ'A-1'など)で提供されるレファレンスID。 - - - - Status - - - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - - - - NominalLength - Nominal or quoted length of the object. - - - - - - - - - - NominalWidth - Nominal or quoted width of the object. - - - - - - - - - - NominalDepth - Nominal or quoted depth of the object. - - - - - - - - - - Color - Color selection for this object. - - - - - - - - - - - - 衛生器具の共通プロパティを設定。 - - - - - Pset_SanitaryTerminalTypeSanitaryFountain - Asanitary terminal that provides a low pressure jet of water for a specific purpose (IAI). HISTORY: In IFC4, Material property removed. Use materials capabilities from IfcMaterialsResource schema. Datatype of color changed to IfcLabel (still a string value). - - - IfcSanitaryTerminal/SANITARYFOUNTAIN - - IfcSanitaryTerminal/SANITARYFOUNTAIN - - - FountainType - Selection of the type of fountain from the enumerated list of types where:- - -DrinkingWater: Sanitary appliance that provides a low pressure jet of drinking water. -Eyewash: Waste water appliance, usually installed in work places where there is a risk of injury to eyes by solid particles or dangerous liquids, with which the user can wash the eyes without touching them. - - - - DRINKINGWATER - EYEWASH - OTHER - NOTKNOWN - UNSET - - - - DRINKINGWATER - - Drinking Water - - - - - - - EYEWASH - - Eyewash - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Fountain Type - 噴水タイプ - - - - 噴水タイプの選択: - -・飲用水:飲用水を低圧で供給するための衛生器具 -・洗眼器:廃水器具で、通常は個体の粒子か危険な液体による眼への障害の危険がある作業場所に設置され、使用者はそれらに触れずに目を洗うことができる。 - - - - Mounting - Selection of the form of mounting of the fountain from the enumerated list of mountings where:- - -BackToWall: A pedestal mounted sanitary terminal that fits flush to the wall at the rear to cover its service connections. -Pedestal: A floor mounted sanitary terminal that has an integral base -. -CounterTop: A sanitary terminal that is installed into a horizontal surface that is installed into a horizontal surface. Note: When applied to a wash hand basin, the term more normally used is ‘vanity’. See also Wash Hand Basin Type specification. -WallHung: A sanitary terminal cantilevered clear of the floor. - - - - BACKTOWALL - PEDESTAL - COUNTERTOP - WALLHUNG - OTHER - NOTKNOWN - UNSET - - - - BACKTOWALL - - Back To Wall - - - - - - - PEDESTAL - - Pedestal - - - - - - - COUNTERTOP - - Countertop - - - - - - - WALLHUNG - - Wall Hung - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Mounting - 設置 - - - - 設置場所の選択: - -・床置き壁排出:接続口の後部に出水口を合わせること。 -・台:床置きの衛生器具には基礎があること。 -・調理台:衛生器具の表層が水平に設置されていること。※手洗い台として設置された場合「化粧台」として扱うこと。また、洗面台種類の規格表を参照のこと。 -・壁掛け型:衛生器具は片側固定がされ床から離れていること。 - - - - DrainSize - The size of the drain outlet connection from the object. - - - - - - - Drain Size - 下水管サイズ - - - - 要素から排水溝への下水管サイズ。 - - - - - - 特定の使用用途の水を低圧で供給する衛生機器 -背景:IFC4で、要素のプロパティーは排除されています。IfcMaterialsResourceのタイプを使ってください。 -色のデータ形式は文字列としてIfcLabelに変更されています。 - - - - - Pset_SanitaryTerminalTypeShower - Installation or waste water appliance that emits a spray of water to wash the human body (BS6100). HISTORY: In IFC4, Material and MaterialThickness properties removed. Use materials capabilities from IfcMaterialsResource schema. Datatype of color changed to IfcLabel (still a string value) - - - IfcSanitaryTerminal/SHOWER - - IfcSanitaryTerminal/SHOWER - - - ShowerType - Selection of the type of shower from the enumerated list of types where:- - -Drench: Shower that rapidly gives a thorough soaking in an emergency. -Individual: Shower unit that is typically enclosed and is for the use of one person at a time. -Tunnel: Shower that has a succession of shower heads or spreaders that operate simultaneously along its length. - - - - DRENCH - INDIVIDUAL - TUNNEL - OTHER - NOTKNOWN - UNSET - - - - DRENCH - - Drench - - - - - - - INDIVIDUAL - - Individual - - - - - - - TUNNEL - - Tunnel - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Shower Type - シャワータイプ - - - - 場所からのシャワータイプの選択: - -・水浸性:緊急時には素早く水に浸れるシャワー -・独立性:一度に一人が使え、区切られているシャワーユニット -・トンネル:シャワーヘッドの連続で設置されているか長さ方向に同時操作となる水散布機型のシャワー - - - - HasTray - Indicates whether the shower has a separate receptacle that catches the water in a shower and directs it to a waste outlet. - - - - - - - Has Tray - - - - - - - ShowerHeadDescription - A description of the shower head(s) that emit the spray of water. - - - - - - - Shower Head Description - シャワーヘッド表現 - - - - シャワーヘッドが排出する水の放射の表現。 - - - - DrainSize - The size of the drain outlet connection from the object. - - - - - - - Drain Size - 管口径 - - - - 要素の排水口接続口サイズ。 - - - - - - 人体を洗うために水をスプレー状に放射する廃水器具(BS6100) -背景: IFC4において、要素と要素厚さのプロパティーは排除されています 。IfcMaterialsResourceのタイプを使ってください。 色のデータ形式は文字列としてIfcLabelに変更されています。 - - - - - Pset_SanitaryTerminalTypeSink - Waste water appliance for receiving, retaining or disposing of domestic, culinary, laboratory or industrial process liquids. HISTORY: In IFC4, Material property removed. Use materials capabilities from IfcMaterialsResource schema. Datatype of color changed to IfcLabel (still a string value). SinkMounting changed to Mounting. - - - IfcSanitaryTerminal/SINK - - IfcSanitaryTerminal/SINK - - - SinkType - Selection of the type of sink from the enumerated list of types where:- - -Belfast: Deep sink that has a plain edge and a weir overflow -. -Bucket: Sink at low level, with protected front edge, that facilitates filling and emptying buckets, usually with a hinged grid on which to stand them. -Cleaners: Sink, usually fixed at normal height (900mm), with protected front edge. -Combination_Left: Sink with integral drainer on left hand side -. -Combination_Right: Sink with integral drainer on right hand side -. -Combination_Double: Sink with integral drainer on both sides -. -Drip: Small sink that catches drips or flow from a faucet -. -Laboratory: Sink, of acid resisting material, with a top edge shaped to facilitate fixing to the underside of a desktop -. -London: Deep sink that has a plain edge and no overflow -. -Plaster: Sink with sediment receiver to prevent waste plaster passing into drains -. -Pot: Large metal sink, with a standing waste, for washing cooking utensils -. -Rinsing: Metal sink in which water can be heated and culinary utensils and tableware immersed at high temperature that destroys most harmful bacteria and allows subsequent self drying. -. -Shelf: Ceramic sink with an integral back shelf through which water fittings are mounted -. -VegetablePreparation: Large metal sink, with a standing waste, for washing and preparing vegetables -. - - - - BELFAST - BUCKET - CLEANERS - COMBINATION_LEFT - COMBINATION_RIGHT - COMBINATION_DOUBLE - DRIP - LABORATORY - LONDON - PLASTER - POT - RINSING - SHELF - VEGETABLEPREPARATION - OTHER - NOTKNOWN - UNSET - - - - BELFAST - - Belfast - - - - - - - BUCKET - - Bucket - - - - - - - CLEANERS - - Cleaners - - - - - - - COMBINATION_LEFT - - Combination Left - - - - - - - COMBINATION_RIGHT - - Combination Right - - - - - - - COMBINATION_DOUBLE - - Combination Double - - - - - - - DRIP - - Drip - - - - - - - LABORATORY - - Laboratory - - - - - - - LONDON - - London - - - - - - - PLASTER - - Plaster - - - - - - - POT - - Pot - - - - - - - RINSING - - Rinsing - - - - - - - SHELF - - Shelf - - - - - - - VEGETABLEPREPARATION - - Vegetable Preparation - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Sink Type - シンクの種類 - - - - シンクタイプの選択 - -・深流し:エッジが平らであふれにくい深いシンク -• 下流し:先端が保護され、低水位用のシンク -・掃除流し:先端が保護されたシンク(通常は900mm高さに調整されたもの) -・左水切り:左側に水切りが付いているシンク -・右水切り流し:右側に水切りが付いているシンク -・両水切り流し:両側に水切りが付いているタイプ -・点滴:蛇口からの流れや滴を捕まえる小さめのシンク -・実験流し:デスク天板下が簡易的に固定された他耐酸性の材料を使ったシンク -・ロンドン:オーバーフローなしのエッジが平らの深いシンク -・石膏流し:廃石膏が排水管中に入ってしまうのをを防ぐため、沈殿物レシーバーが付いているシンク。 -・料理流し:ゴミの廃棄もできる調理用具を洗うためのシンク -・すすぎ用の流し:高温滅菌ができる乾いた状態を保持できる鉄製のシンク -・棚付き流し:金具の接続や設置ができる棚を後ろに持つセラミック製のシンク -・野菜流し:ゴミの廃棄もできる、洗浄や調理の準備をする大きめの鉄製のシンク - - - - Mounting - Selection of the form of mounting of the sink from the enumerated list of mountings where:- - -BackToWall: A pedestal mounted sanitary terminal that fits flush to the wall at the rear to cover its service connections. -Pedestal: A floor mounted sanitary terminal that has an integral base. -CounterTop: A sanitary terminal that is installed into a horizontal surface that is installed into a horizontal surface. Note: When applied to a wash hand basin, the term more normally used is ‘vanity’. See also Wash Hand Basin Type specification. -WallHung: A sanitary terminal cantilevered clear of the floor. - - - - BACKTOWALL - PEDESTAL - COUNTERTOP - WALLHUNG - OTHER - NOTKNOWN - UNSET - - - - BACKTOWALL - - Back To Wall - - - - - - - PEDESTAL - - Pedestal - - - - - - - COUNTERTOP - - Countertop - - - - - - - WALLHUNG - - Wall Hung - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Mounting - 設置 - - - - 設置場所の選択 - -・床置き壁排出:接続口の後部に出水口を合わせること。 -・台:床置きの衛生器具には基礎があること。 -・調理台:衛生器具の表層が水平に設置されていること。※手洗い台として設置された場合「化粧台」として扱うこと。また、洗面台種類の規格表を参照のこと。 -・壁掛け型:衛生器具は片側固定がされ床から離れていること。 - - - - Color - Color selection for this object. - - - - - - - Color - - - - - 要素の色。 - - - - DrainSize - The size of the drain outlet connection from the object. - - - - - - - Drain Size - 管径 - - - - 要素への接続口径。 - - - - MountingOffset - For cunter top maounted sinks, the vertical offset between the top of the sink and the counter top. - - - - - - - Mounting Offset - 据付補正 - - - - 調理台に設置されたシンクに、上端と調理台間で垂直に補正されること。 - - - - - - 受信側の廃水機器。 -家庭内の処理や保持、台所や便所もしくは工業用途の液体処理を行います。 -背景:IFC4において、要素のプロパティーは排除されています 。IfcMaterialsResourceのタイプを使ってください。 色のデータ形式は文字列としてIfcLabelに変更されています。「SinkMounting」は「Mounting」に変更されています。 - - - - - Pset_SanitaryTerminalTypeToiletPan - Soil appliance for the disposal of excrement. HISTORY: In IFC4, Material property removed. Use materials capabilities from IfcMaterialsResource schema. Prefix for color property removed. Datatype of color changed to IfcLabel (still a string value). - - - IfcSanitaryTerminal/TOILETPAN - - IfcSanitaryTerminal/TOILETPAN - - - ToiletType - Enumeration that defines the types of toilet (water closet) arrangements that may be specified where:- - -BedPanWasher: Enclosed soil appliance in which bedpans and urinal bottles are emptied and cleansed. -Chemical: Portable receptacle or soil appliance that receives and retains excrement in either an integral or a separate container, in which it is chemically treated and from which it has to be emptied periodically. -CloseCoupled: Toilet suite in which a flushing cistern is connected directly to the water closet pan. -LooseCoupled: Toilet arrangement in which a flushing cistern is connected to the water closet pan through a flushing pipe. -SlopHopper: Hopper shaped soil appliance with a flushing rim and outlet similar to those of a toilet pan, into which human excrement is emptied for disposal. - - - - BEDPANWASHER - CHEMICAL - CLOSECOUPLED - LOOSECOUPLED - SLOPHOPPER - OTHER - NOTKNOWN - UNSET - - - - BEDPANWASHER - - Bed Pan Washer - - - - - - - CHEMICAL - - Chemical - - - - - - - CLOSECOUPLED - - Close Coupled - - - - - - - LOOSECOUPLED - - Loose Coupled - - - - - - - SLOPHOPPER - - Slop Hopper - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Toilet Type - トイレ種類 - - - - トイレ配置は下記に列挙された仕様となります。 - -便器洗浄機:便器と小便器が空にされ洗浄される周囲が囲まれた電気機器。 -ケミカル:別々の容器で排泄物を受けて、保持し、化学的に扱われる、定期的に空にされる携帯用の容器または土機器。 -シスターン直結型:シスターンがが便器に直接密着して設置されたタイプ -シスターン分離型:シスターンがパイプを介して便器につながっているタイプ -汚物流し:ホッパーは土壌器具にデザイされており、汚物が流され空になります。 - - - - ToiletPanType - The property enumeration Pset_ToiletPanTypeEnum defines the types of toilet pan that may be specified within the property set Pset_Toilet:- - -Siphonic: Toilet pan in which excrement is removed by siphonage induced by the flushing water. -Squat: Toilet pan with an elongated bowl installed with its top edge at or near floor level, so that the user has to squat. -WashDown: Toilet pan in which excrement is removed by the momentum of the flushing water. -WashOut: A washdown toilet pan in which excrement falls first into a shallow water filled bowl. - - - - SIPHONIC - SQUAT - WASHDOWN - WASHOUT - OTHER - NOTKNOWN - UNSET - - - - SIPHONIC - - Siphonic - - - - - - - SQUAT - - Squat - - - - - - - WASHDOWN - - Washdown - - - - - - - WASHOUT - - Washout - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Toilet Pan Type - 便器タイプ - - - - Pset_SanitaryMountingEnumは下記に列挙された便器タイプとして定義されます。 - -サイホン式:流水を含むサイホンにより汚物が廃棄される便器 -和式:便器が床面か淵の高さと同じに配置された便器。使用者はしゃがまなければならない。 -ウォッシュダウン式:勢いよく洗い流すことにより便器をきれいにします -洗浄式便器:まず汚物が落ちその後、便器に水が流れます - - - - PanMounting - The property enumeration Pset_SanitaryMountingEnum defines the forms of mounting or fixing of the sanitary terminal that may be specified within property sets used to define sanitary terminals (WC’s, basins, sinks, etc.) where:- - -BackToWall: A pedestal mounted sanitary terminal that fits flush to the wall at the rear to cover its service connections. -Pedestal: A floor mounted sanitary terminal that has an integral base. -CounterTop: A sanitary terminal that is installed into a horizontal surface that is installed into a horizontal surface. Note: When applied to a wash hand basin, the term more normally used is ‘vanity’. See also Wash Hand Basin Type specification. -WallHung: A sanitary terminal cantilevered clear of the floor. - - - - BACKTOWALL - PEDESTAL - COUNTERTOP - WALLHUNG - OTHER - NOTKNOWN - UNSET - - - - BACKTOWALL - - Back To Wall - - - - - - - PEDESTAL - - Pedestal - - - - - - - COUNTERTOP - - Countertop - - - - - - - WALLHUNG - - Wall Hung - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Pan Mounting - 取付方法 - - - - Pset_SanitaryMountingEnumは固定された衛生器具の接続点(トイレや洗面器、シンクなど)に取り付けられます。 - -・床置き壁排出:背面の壁に接続口を合わせること。 -・台:床置きの衛生器具には基礎があること。 -・カウンター:衛生器具の表層が水平に設置されていること。※手洗い台として設置された場合「化粧台」として扱うこと。また、洗面台種類の規格表を参照のこと。 -・壁掛け型:衛生器具は片側固定がされ床から離れていること。 - - - - SpilloverLevel - The level at which water spills out of the terminal. - - - - - - - Spillover Level - 水位 - - - - 継手からの水位。 - - - - - - 排泄物排気用の機器。 -背景:IFC4において、要素のプロパティーは排除されています 。IfcMaterialsResourceのタイプを使ってください。 色の設定は取り除かれています。色のデータ形式は文字列としてIfcLabelに変更されています。 - - - - - Pset_SanitaryTerminalTypeUrinal - Soil appliance that receives urine and directs it to a waste outlet (BS6100). HISTORY: In IFC4, Material property removed. Use materials capabilities from IfcMaterialsResource schema. Prefix for color property removed. Datatype of color changed to IfcLabel (still a string value). Mounting property added. - - - IfcSanitaryTerminal/URINAL - - IfcSanitaryTerminal/URINAL - - - UrinalType - Selection of the type of urinal from the enumerated list of types where:- - -Bowl: Individual wall mounted urinal. -Slab: Urinal that consists of a slab or sheet fixed to a wall and down which urinal flows into a floor channel. -Stall: Floor mounted urinal that consists of an elliptically shaped sanitary stall fixed to a wall and down which urine flows into a floor channel. -Trough: Wall mounted urinal of elongated rectangular shape on plan, that can be used by more than one person at a time. - - - - BOWL - SLAB - STALL - TROUGH - OTHER - NOTKNOWN - UNSET - - - - BOWL - - Bowl - - - - - - - SLAB - - Slab - - - - - - - STALL - - Stall - - - - - - - TROUGH - - Trough - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Urinal Type - 小便器タイプ - - - - 下記のリストより小便器タイプを選択 - -便器:壁に設置された独立した小便器 -床:壁や床の溝へ流れるように固定されている -個室:衛生個室の床や壁に楕円形に設置されたフロア -溝:一人以上の人数が同時に使用できるよう、壁に直角に長く引き伸ばした形 - - - - Mounting - Selection of the form of mounting from the enumerated list of mountings where:- - -BackToWall = A pedestal mounted sanitary terminal that fits flush to the wall at the rear to cover its service connections -Pedestal = A floor mounted sanitary terminal that has an integral base -CounterTop = A sanitary terminal that is installed into a horizontal surface that is installed into a horizontal surface. Note: When applied to a wash hand basin, the term more normally used is ‘vanity’. See also Wash Hand Basin Type specification. -WallHung = A sanitary terminal cantilevered clear of the floor -. - -Note that BackToWall, Pedestal and WallHung are allowable values for a urinal. - - - - BACKTOWALL - PEDESTAL - COUNTERTOP - WALLHUNG - OTHER - NOTKNOWN - UNSET - - - - BACKTOWALL - - Back To Wall - - - - - - - PEDESTAL - - Pedestal - - - - - - - COUNTERTOP - - Countertop - - - - - - - WALLHUNG - - Wall Hung - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Mounting - 設置 - - - - 下記の設置方法より選択 - - -・床置き壁排出:接続口の後部に出水口を合わせること。 -・台:床置きの衛生器具には基礎があること。 -・カウンター:衛生器具の表層が水平に設置されていること。※手洗い台として設置された場合「化粧台」として扱うこと。また、洗面台種類の規格表を参照のこと。 -・壁掛け型:衛生器具は片側固定がされ床から離れていること。 - -床置き壁排出型・台座と壁掛け型は便器と同等とされます。 - - - - SpilloverLevel - The level at which water spills out of the object. - - - - - - - Spillover Level - 水位 - - - - 継手からの水位。 - - - - - - 小便を受けたり直接排水溝に流すための機器(BS6100)。 -背景:IFC4において、要素のプロパティーは排除されています 。IfcMaterialsResourceのタイプを使ってください。 色の設定は取り除かれています。色のデータ形式は文字列としてIfcLabelに変更されています。また、「設置」のプロパティーが加えられました。 - - - - - Pset_SanitaryTerminalTypeWashHandBasin - Waste water appliance for washing the upper parts of the body. HISTORY: In IFC4, Material property removed. Use materials capabilities from IfcMaterialsResource schema. Datatype of color changed to IfcLabel (still a string value). - - - IfcSanitaryTerminal/WASHHANDBASIN - - IfcSanitaryTerminal/WASHHANDBASIN - - - WashHandBasinType - Defines the types of wash hand basin that may be specified where: - - -DentalCuspidor: Waste water appliance that receives and flushes away mouth washings -. -HandRinse: Wall mounted wash hand basin that has an overall width of 500mm or less -. -Hospital: Wash hand basin that has a smooth easy clean surface without tapholes or overflow slot for use where hygiene is of prime importance. - -Tipup: Wash hand basin mounted on pivots so that it can be emptied by tilting. - -Vanity: Wash hand basin for installation into a horizontal surface. - -Washfountain: Wash hand basin that is circular, semi-circular or polygonal on plan, at which more than one person can wash at the same time. -WashingTrough: Wash hand basin of elongated rectangular shape in plan, at which more than one person can wash at the same time. - - - - DENTALCUSPIDOR - HANDRINSE - HOSPITAL - TIPUP - WASHFOUNTAIN - WASHINGTROUGH - OTHER - NOTKNOWN - UNSET - - - - DENTALCUSPIDOR - - Dental Cuspidor - - - - - - - HANDRINSE - - Hand Rinse - - - - - - - HOSPITAL - - Hospital - - - - - - - TIPUP - - Tipup - - - - - - - WASHFOUNTAIN - - Wash Fountain - - - - - - - WASHINGTROUGH - - Washing Trough - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Wash Hand Basin Type - 手洗い種類 - - - - 手洗いの種類は設置される場所で定義されます。 - -歯科用痰壷:口をゆすぐ際に受けて流す廃水機器 -手洗い:500mm以下の幅の壁掛け型手洗い -病院用:サイフォンか氾濫防止弁が付いた衛生が最優先とされる場所で使用される手洗い洗面器 -上げ起こし型:角度調整によって空にできる軸上に設置された手洗い -化粧台:地平面に設置された手洗い台 -洗浄噴水型:一人以上の人間が同時に使用できる円・半円・多角形の洗面台 -洗浄ボウル:一人以上の人間が同時に使用できる多角形の洗面台 - - - - Mounting - Selection of the form of mounting from the enumerated list of mountings where:- - -BackToWall: A pedestal mounted sanitary terminal that fits flush to the wall at the rear to cover its service connections. -Pedestal: A floor mounted sanitary terminal that has an integral base -CounterTop: A sanitary terminal that is installed into a horizontal surface that is installed into a horizontal surface. Note: When applied to a wash hand basin, the term more normally used is ‘vanity’. See also Wash Hand Basin Type specification. -WallHung: A sanitary terminal cantilevered clear of the floor. - - - - BACKTOWALL - PEDESTAL - COUNTERTOP - WALLHUNG - OTHER - NOTKNOWN - UNSET - - - - BACKTOWALL - - Back To Wall - - - - - - - PEDESTAL - - Pedestal - - - - - - - COUNTERTOP - - Countertop - - - - - - - WALLHUNG - - Wall Hung - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Mounting - 設置 - - - - 以下のリストから設置方法を選択 - - -・床置き壁排出:接続口の後部に出水口を合わせること。 -・台:床置きの衛生器具には基礎があること。 -・カウンター:衛生器具の表層が水平に設置されていること。※手洗い台として設置された場合「化粧台」として扱うこと。また、洗面台種類の規格表を参照のこと。 -・壁掛け型:衛生器具は片側固定がされ床から離れていること。 - - - - DrainSize - The size of the drain outlet connection from the object. - - - - - - - Drain Size - 管径 - - - - 要素への接続口径。 - - - - MountingOffset - For counter top mounted basins the vertical offset between the top of the sink and the counter top. - - - - - - - Mounting Offset - 据付補正 - - - - カウンター用途として、カウンターとシンクの間に垂直洗浄に据付される廃水機器。 - - - - - - 体の上部分を洗浄するための廃水機器。 -背景:IFC4において、要素のプロパティーは排除されています 。IfcMaterialsResourceのタイプを使ってください。 色のデータ形式は文字列としてIfcLabelに変更されています。また、「設置」のプロパティーが加えられました。 - - - - - Pset_SensorPHistory - Properties for history of controller values. HISTORY: Added in IFC4. - - - IfcSensor - - IfcSensor - - - Value - Indicates sensed values over time which may be recorded continuously or only when changed beyond a particular deadband. The range of possible values is defined by the SetPoint property of the corresponding sensor type property set. - - - - - Value - - - - - - - Direction - Indicates sensed direction for sensors capturing magnitude and direction measured from True North (0 degrees) in a clockwise direction. - - - - - Direction - - - - - - - Quality - Indicates the quality of measurement or failure condition, which may be further qualified by the Status. True: measured values are considered reliable; False: measured values are considered not reliable (i.e. a fault has been detected); Unknown: reliability of values is uncertain. - - - - - Quality - - - - - - - Status - Indicates an error code or identifier, whose meaning is specific to the particular automation system. Example values include: 'ConfigurationError', 'NotConnected', 'DeviceFailure', 'SensorFailure', 'LastKnown, 'CommunicationsFailure', 'OutOfService'. - - - - - Status - - - - - - - - - - - - - Pset_SensorTypeCO2Sensor - A device that senses or detects carbon dioxide. - - - IfcSensor/CO2SENSOR - - IfcSensor/CO2SENSOR - - - SetPointConcentration - The carbon dioxide concentration to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point Concentration - - - - - - - - - - - - - Pset_SensorTypeCommon - Sensor type common attributes. HISTORY: Added in IFC4. - - - IfcSensor - - IfcSensor - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照記号 - 참조ID - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 해당 프로젝트에서 사용이 유형에 대한 참조 ID (예 : 'A-1') ※ 기본이있는 경우 그 기호를 사용 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - センサータイプの共通属性。 - - - - - Pset_SensorTypeConductanceSensor - A device that senses or detects electrical conductance. HISTORY: Added in IFC4. - - - IfcSensor/CONDUCTANCESENSOR - - IfcSensor/CONDUCTANCESENSOR - - - SetPointConductance - The fill level value to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point Conductance - 電気伝導率設定値 - 전기 전도율 설정 - - - - 感知される電気伝導率。 -セットポイント値を置くために、IfcPropertyBoundedValue.SetPointValueを使用する。 - 감지되는 전기 전도율. 세트 포인트 값을 넣으려면, IfcPropertyBoundedValue.SetPointValue를 사용하십시오. - - - - - - 電気伝導性を感知または検出するデバイス。 - - - - - Pset_SensorTypeContactSensor - A device that senses or detects contact. HISTORY: Added in IFC4. - - - IfcSensor/CONTACTSENSOR - - IfcSensor/CONTACTSENSOR - - - SetPointContact - The contact value to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point Contact - 接触状態設定値 - 접촉 상태 설정 - - - - 感知される接触状態。 -セットポイント値を置くために、IfcPropertyBoundedValue.SetPointValueを使用する。 - 감지되는 접촉 상태. 세트 포인트 값을 넣으려면, IfcPropertyBoundedValue.SetPointValue를 사용하십시오. - - - - - - 接触を感知または検出するデバイス - - - - - Pset_SensorTypeFireSensor - A device that senses or detects the presence of fire. - - - IfcSensor/FIRESENSOR - - IfcSensor/FIRESENSOR - - - FireSensorSetPoint - The temperature value to be sensed to indicate the presence of fire. - - - - - - - Fire Sensor Set Point - 感知温度 - 감지 온도 - - - - 炎の存在を示すために感知される温度値。 - 불꽃의 존재를 보여주기 위하여 감지되는 온도 값. - - - - AccuracyOfFireSensor - The accuracy of the sensor. - - - - - - - Accuracy Of Fire Sensor - 精度 - 정확도 - - - - センサの精度。 - 센서의 정밀도. - - - - TimeConstant - The time constant of the sensor. - - - - - - - Time Constant - 時定数 - 시정 - - - - センサの時定数。 - 센서의 시정. - - - - - - 炎の存在を感知または検出するデバイス - - - - - Pset_SensorTypeFlowSensor - A device that senses or detects flow. HISTORY: Added in IFC4. - - - IfcSensor/FLOWSENSOR - - IfcSensor/FLOWSENSOR - - - SetPointFlow - The volumetric flow value to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point Flow - 流量設定値 - 유량 설정 - - - - 感知される流量。 -セットポイント値を置くために、IfcPropertyBoundedValue.SetPointValueを使用する。 - 감지되는 유량. 세트 포인트 값을 넣으려면, IfcPropertyBoundedValue.SetPointValue를 사용하십시오. - - - - - - 流れを感知または検出するデバイス。 - - - - - Pset_SensorTypeFrostSensor - A device that senses or detects the presense of frost. - - - IfcSensor/FROSTSENSOR - - IfcSensor/FROSTSENSOR - - - SetPointFrost - The detection of frost. - - - - - - - Set Point Frost - - - - - - - - - - - - - Pset_SensorTypeGasSensor - A device that senses or detects gas. HISTORY: Changed in IFC4. Gas detected made into enumeration, set point concentration and coverage area added. Range, accuracy and time constant deleted. - - - IfcSensor/GASSENSOR - - IfcSensor/GASSENSOR - - - GasDetected - Identification of the gas that is being detected, according to chemical formula. For example, carbon monoxide is 'CO', carbon dioxide is 'CO2', oxygen is 'O2'. - - - - - - - Gas Detected - 対象ガス - - - - 検出されているガスの識別。 - - - - SetPointConcentration - The gas concentration value to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point Concentration - ガス濃度設定値 - - - - 感知されるガス濃度。 -セットポイント値を置くために、IfcPropertyBoundedValue.SetPointValueを使用する。 - - - - CoverageArea - The floor area that is covered by the sensor (typically measured as a circle whose center is at the location of the sensor). - - - - - - - Coverage Area - 測定範囲 - - - - センサでカバーされている床面積。(通常、センターがセンサの位置にある円として測定される) - - - - - - ガスを感知または検出するデバイス。 - - - - - Pset_SensorTypeHeatSensor - A device that senses or detects heat. HISTORY: In IFC4, incorporates Fire Sensor. HeatSensorSetPoint changed to SetPointTemperature - - - IfcSensor/HEATSENSOR - - IfcSensor/HEATSENSOR - - - CoverageArea - The area that is covered by the sensor (typically measured as a circle whose center is at the location of the sensor). - - - - - - - Coverage Area - 測定範囲 - 측정 범위 - - - - センサでカバーされている範囲。(通常、センターがセンサの位置にある円として測定される) - 센서 커버하는 범위. (일반적으로 센터 센서의 위치에있는 원형으로 측정되는) - - - - SetPointTemperature - The temperature value to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point Temperature - 温度設定値 - 온도 설정 - - - - 感知される温度。 -セットポイント値を置くために、IfcPropertyBoundedValue.SetPointValueを使用する。 - 감지되는 온도. 세트 포인트 값을 넣으려면, IfcPropertyBoundedValue.SetPointValue를 사용하십시오. - - - - RateOfTemperatureRise - The rate of temperature rise that is to be sensed as being hazardous. - - - - - - - Rate Of Temperature Rise - 温度上昇率 - 온도 상승률 - - - - 危険であるとして感じられることになっている温度上昇率。 - 위험 것으로 느껴지게하는 온도 상승률. - - - - - - 熱を感知または検出するデバイス。 - - - - - Pset_SensorTypeHumiditySensor - A device that senses or detects humidity. HISTORY: HumiditySensorSetPoint changed to SetPointHumidity. Range, accuracy and time constant deleted. - - - IfcSensor/HUMIDITYSENSOR - - IfcSensor/HUMIDITYSENSOR - - - SetPointHumidity - The humidity value to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point Humidity - 湿度設定値 - 습도 설정 - - - - 感知される湿度。 -セットポイント値を置くために、IfcPropertyBoundedValue.SetPointValueを使用する。 - 감지되는 습도. 세트 포인트 값을 넣으려면, IfcPropertyBoundedValue.SetPointValue를 사용하십시오. - - - - - - 湿度を感知または検出するデバイス。 - - - - - Pset_SensorTypeIdentifierSensor - A device that senses identification tags. - - - IfcSensor/IDENTIFIERSENSOR - - IfcSensor/IDENTIFIERSENSOR - - - SetPointIdentifier - The detected tag value. - - - - - - - Set Point Identifier - - - - - - - - - - - - - Pset_SensorTypeIonConcentrationSensor - A device that senses or detects ion concentration such as water hardness. HISTORY: Added in IFC4. - - - IfcSensor/IONCONCENTRATIONSENSOR - - IfcSensor/IONCONCENTRATIONSENSOR - - - SubstanceDetected - Identification of the substance that is being detected according to chemical formula. For example, calcium carbonate is 'CaCO3' - - - - - - - Substance Detected - 対象物質 - 대상 물질 - - - - 検出されている物質の識別。 - 검출되는 물질의 식별. - - - - SetPointConcentration - The ion concentration value to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point Concentration - イオン濃度設定値 - 이온 농도 설정 - - - - 感知されるイオン濃度。 -セットポイント値を置くために、IfcPropertyBoundedValue.SetPointValueを使用する。 - 감지되는 이온 농도. 세트 포인트 값을 넣으려면, IfcPropertyBoundedValue.SetPointValue를 사용하십시오. - - - - - - 水の硬度などのイオン濃度を感知または検出する装置 - - - - - Pset_SensorTypeLevelSensor - A device that senses or detects fill level. HISTORY: Added in IFC4. - - - IfcSensor/LEVEL - - IfcSensor/LEVEL - - - SetPointLevel - The fill level value to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point Level - レベル設定値 - 레벨 설정 - - - - 感知されるレベル。 -セットポイント値を置くために、IfcPropertyBoundedValue.SetPointValueを使用する。 - 감지되는 수준. 세트 포인트 값을 넣으려면, IfcPropertyBoundedValue.SetPointValue를 사용하십시오. - - - - - - レベルを感知または検出するデバイス。 - - - - - Pset_SensorTypeLightSensor - A device that senses or detects light. HISTORY: LightSensorSensorSetPoint changed to SetPointIlluminance. Range, accuracy and time constant deleted. - - - IfcSensor/LIGHTSENSOR - - IfcSensor/LIGHTSENSOR - - - SetPointIlluminance - The illuminance value to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point Illuminance - 照度設定値 - 조도 설정 - - - - 感知される照度。 -セットポイント値を置くために、IfcPropertyBoundedValue.SetPointValueを使用する。 - 감지하는 조도. 세트 포인트 값을 넣으려면, IfcPropertyBoundedValue.SetPointValue를 사용하십시오. - - - - - - 光を感知または検出するデバイス。 - - - - - Pset_SensorTypeMoistureSensor - A device that senses or detects moisture. HISTORY: Added in IFC4. - - - IfcSensor/MOISTURESENSOR - - IfcSensor/MOISTURESENSOR - - - SetPointMoisture - The moisture value to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point Moisture - 水分設定値 - 수분 설정 - - - - 感知される水分。 -セットポイント値を置くために、IfcPropertyBoundedValue.SetPointValueを使用する。 - 감지되는 수분. 세트 포인트 값을 넣으려면, IfcPropertyBoundedValue.SetPointValue를 사용하십시오. - - - - - - 水分を感知または検出するデバイス。 - - - - - Pset_SensorTypeMovementSensor - A device that senses or detects movement. HISTORY: In IFC4, time constant deleted. - - - IfcSensor/MOVEMENTSENSOR - - IfcSensor/MOVEMENTSENSOR - - - MovementSensingType - Enumeration that identifies the type of movement sensing mechanism. - - - - PHOTOELECTRICCELL - PRESSUREPAD - OTHER - NOTKNOWN - UNSET - - - - PHOTOELECTRICCELL - - Photo Electric Cell - - - - - - - PRESSUREPAD - - Pressure Pad - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Movement Sensing Type - - - - - - - SetPointMovement - The movement to be sensed. - - - - - - - Set Point Movement - - - - - - - - - - - - - Pset_SensorTypePHSensor - A device that senses or detects acidity. HISTORY: Added in IFC4. - - - IfcSensor/PHSENSOR - - IfcSensor/PHSENSOR - - - SetPointPH - The fill level value to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point PH - 酸性度設定値 - 산성도 설정 - - - - 感知される酸性度。 -セットポイント値を置くために、IfcPropertyBoundedValue.SetPointValueを使用する。 - 감지되는 산도. 세트 포인트 값을 넣으려면, IfcPropertyBoundedValue.SetPointValue를 사용하십시오. - - - - - - 酸性度を感知または検出するデバイス。 - - - - - Pset_SensorTypePressureSensor - A device that senses or detects pressure. HISTORY: PressureSensorSensorSetPoint changed to SetPointPressure. Range, accuracy and time constant deleted. - - - IfcSensor/PRESSURESENSOR - - IfcSensor/PRESSURESENSOR - - - SetPointPressure - The pressure value to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point Pressure - 圧力設定値 - 압력 설정 - - - - 感知される圧力。 -セットポイント値を置くために、IfcPropertyBoundedValue.SetPointValueを使用する。 - 감지되는 압력. 세트 포인트 값을 넣으려면, IfcPropertyBoundedValue.SetPointValue를 사용하십시오. - - - - IsSwitch - Identifies if the sensor also functions as a switch at the set point (=TRUE) or not (= FALSE). - - - - - - - Is Switch - スイッチ機能の有無 - 스위치 기능의 유무 - - - - センサーが設定値でスイッチとして機能する(TRUE)か、否か(FALSE)を識別する。 - 센서 설정에서 스위치 역할 (TRUE) 또는 여부 (FALSE)를 확인한다. - - - - - - 圧力を感知または検出するデバイス。 - - - - - Pset_SensorTypeRadiationSensor - A device that senses or detects radiation. HISTORY: Added in IFC4. - - - IfcSensor/RADIATIONSENSOR - - IfcSensor/RADIATIONSENSOR - - - SetPointRadiation - The radiation power value to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point Radiation - 放射線設定値 - 방사선 설정 - - - - 感知される放射線量。 -セットポイント値を置くために、IfcPropertyBoundedValue.SetPointValueを使用する。 - 감지되는 방사선. 세트 포인트 값을 넣으려면, IfcPropertyBoundedValue.SetPointValue를 사용하십시오. - - - - - - 放射線を感知または検出するデバイス。 - - - - - Pset_SensorTypeRadioactivitySensor - A device that senses or detects atomic decay. HISTORY: Added in IFC4. - - - IfcSensor/RADIOACTIVITYSENSOR - - IfcSensor/RADIOACTIVITYSENSOR - - - SetPointRadioactivity - The radioactivity value to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point Radioactivity - 放射能設定値 - 방사능 설정 - - - - 感知される放射能。 -セットポイント値を置くために、IfcPropertyBoundedValue.SetPointValueを使用する。 - 감지되는 방사능. 세트 포인트 값을 넣으려면, IfcPropertyBoundedValue.SetPointValue를 사용하십시오. - - - - - - 原子核の崩壊を感知または検出するデバイス。 - - - - - Pset_SensorTypeSmokeSensor - A device that senses or detects smoke. HISTORY: PressureSensorSensorSetPoint (error in previous release) changed to SetPointConcentration. Range, accuracy and time constant deleted. - - - IfcSensor/SMOKESENSOR - - IfcSensor/SMOKESENSOR - - - CoverageArea - The floor area that is covered by the sensor (typically measured as a circle whose center is at the location of the sensor). - - - - - - - Coverage Area - 測定範囲 - 측정 범위 - - - - センサでカバーされている床面積。(通常、センターがセンサの位置にある円として測定される) - 센서 커버되는 바닥 면적. (일반적으로 센터 센서의 위치에있는 원형으로 측정되는) - - - - SetPointConcentration - The smoke concentration value to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point Concentration - 煙濃度設定値 - 연기 농도 설정 - - - - 感知される煙濃度。 -セットポイント値を置くために、IfcPropertyBoundedValue.SetPointValueを使用する。 - 감지되는 연기 농도. 세트 포인트 값을 넣으려면, IfcPropertyBoundedValue.SetPointValue를 사용하십시오. - - - - HasBuiltInAlarm - Indicates whether the smoke sensor is included as an element within a smoke alarm/sensor unit (TRUE) or not (FALSE). - - - - - - - Has Built In Alarm - 煙警報器に含まれているか - 연기 경보기에 포함여부 - - - - 煙センサーが煙警報センサユニットの中に要素として含まれているか(TRUE)、否か(FALSE)を識別する。 - 연기 센서가 화재 경보 센서 유닛의 요소로 포함되어 있는지 (TRUE) 여부 (FALSE)를 확인한다. - - - - - - 煙を感知または検出するデバイス。 - - - - - Pset_SensorTypeSoundSensor - A device that senses or detects sound. HISTORY: SoundSensorSensorSetPoint changed to SetPointSound. Range, accuracy and time constant deleted. - - - IfcSensor/SOUNDSENSOR - - IfcSensor/SOUNDSENSOR - - - SetPointSound - The sound pressure value to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point Sound - 音圧設定値 - 읍압 설정치 - - - - 感知される音圧。 -セットポイント値を置くために、IfcPropertyBoundedValue.SetPointValueを使用する。 - 감지되는 음압. 세트 포인트 값을 넣으려면, IfcPropertyBoundedValue.SetPointValue를 사용하십시오. - - - - - - 音を感知または検出するデバイス。 - - - - - Pset_SensorTypeTemperatureSensor - A device that senses or detects temperature. HISTORY: TemperatureSensorSensorSetPoint changed to SetPointTemperature. Range, accuracy and time constant deleted. - - - IfcSensor/TEMPERATURESENSOR - - IfcSensor/TEMPERATURESENSOR - - - TemperatureSensorType - Enumeration that Identifies the types of temperature sensor that can be specified. - - - - HIGHLIMIT - LOWLIMIT - OUTSIDETEMPERATURE - OPERATINGTEMPERATURE - ROOMTEMPERATURE - OTHER - NOTKNOWN - UNSET - - - - HIGHLIMIT - - Highlimit - - - - - - - LOWLIMIT - - Lowlimit - - - - - - - OUTSIDETEMPERATURE - - Outside Temperature - - - - - - - OPERATINGTEMPERATURE - - Operating Temperature - - - - - - - ROOMTEMPERATURE - - Room Temperature - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Temperature Sensor Type - 温度センサータイプ - 온도 센서 타입 - - - - 明示された温度センサーのタイプを識別する一覧。 - 명시된 온도 센서 유형을 식별하는 목록. - - - - SetPointTemperature - The temperature value to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point Temperature - 温度設定値 - 온도 성정 - - - - 感知される温度。 -セットポイント値を置くために、IfcPropertyBoundedValue.SetPointValueを使用する。 - 감지되는 온도. 세트 포인트 값을 넣으려면, IfcPropertyBoundedValue.SetPointValue를 사용하십시오. - - - - - - 温度を感知または検出するデバイス。 - - - - - Pset_SensorTypeWindSensor - A device that senses or detects wind speed and direction. HISTORY: Added in IFC4. - - - IfcSensor/WINDSENSOR - - IfcSensor/WINDSENSOR - - - WindSensorType - Enumeration that Identifies the types of wind sensors that can be specified. - - - - CUP - WINDMILL - HOTWIRE - LASERDOPPLER - SONIC - PLATE - TUBE - OTHER - NOTKNOWN - UNSET - - - - CUP - - Cup - - - - - - - WINDMILL - - Windmill - - - - - - - HOTWIRE - - Hotwire - - - - - - - LASERDOPPLER - - Laser Doppler - - - - - - - SONIC - - Sonic - - - - - - - PLATE - - Plate - - - - - - - TUBE - - Tube - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Wind Sensor Type - 風センサータイプ - 바람 센서 타입 - - - - 明示された風センサーのタイプを識別する一覧。 - 명시된 바람 센서 유형을 식별하는 목록. - - - - SetPointSpeed - The wind speed value to be sensed. Use IfcPropertyBoundedValue.SetPointValue to set the set point value. - - - - - - - Set Point Speed - 風速設定値 - 풍속 설정 - - - - 感知される風速。 -セットポイント値を置くために、IfcPropertyBoundedValue.SetPointValueを使用する。 - 감지되는 바람. 세트 포인트 값을 넣으려면, IfcPropertyBoundedValue.SetPointValue를 사용하십시오. - - - - - - 風速を感知または検出するデバイス。 - - - - - Pset_ServiceLife - Captures the period of time that an artifact will last. HISTORY: Introduced in IFC2X4 as replacement for IfcServiceLife. - - - IfcElement - - IfcElement - - - ServiceLifeDuration - The length or duration of a service life. - -The lower bound indicates pessimistic service life, the upper bound indicates optimistic service life, and the setpoint indicates the typical service life. - - - - - - - Service Life Duration - - - - - - - MeanTimeBetweenFailure - The average time duration between instances of failure of a product. - - - - - - - Mean Time Between Failure - - - - - - - - - - - - - Pset_ServiceLifeFactors - Captures various factors that impact the expected service life of elements within the system or zone. - - - IfcSystem - - IfcSystem - - - QualityOfComponents - Adjustment of the service life resulting from the effect of the quality of components used. - - - - - - - Quality Of Components - - - - - - - DesignLevel - Adjustment of the service life resulting from the effect of design level employed. - - - - - - - Design Level - - - - - - - WorkExecutionLevel - Adjustment of the service life resulting from the effect of the quality of work executed. - - - - - - - Work Execution Level - - - - - - - IndoorEnvironment - Adjustment of the service life resulting from the effect of the indoor environment (where appropriate). - - - - - - - Indoor Environment - - - - - - - OutdoorEnvironment - Adjustment of the service life resulting from the effect of the outdoor environment (where appropriate) - - - - - - - Outdoor Environment - - - - - - - InUseConditions - Adjustment of the service life resulting from the effect of the conditions in which components are operating. - - - - - - - In Use Conditions - - - - - - - MaintenanceLevel - Adjustment of the service life resulting from the effect of the level or degree of maintenance applied to dcomponents. - - - - - - - Maintenance Level - - - - - - - - - - - - - Pset_ShadingDeviceCommon - Shading device properties associated with an element that represents a shading device - - - IfcShadingDevice - - IfcShadingDevice - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Bemusterungstyp - Reference - Référence - 参照記号 - - - Bemusterungstyp, wird als Attribute angegeben, wenn keine allgemein anerkanntes Klassifizierungssystem angewandt wird. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1"). A fournir s'il n'y a pas de référence à une classification en usage. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - ShadingDeviceType - Specifies the type of shading device. - - - - FIXED - MOVABLE - OVERHANG - SIDEFIN - USERDEFINED - NOTDEFINED - - - - FIXED - - Fixed - - - - - - - MOVABLE - - Movable - - - - - - - OVERHANG - - Overhang - - - - - - - SIDEFIN - - Sidefin - - - - - - - OTHER - - - - - NOTKNOWN - - - - - UNSET - - - - - - - - Sonnenschutztyp - Shading Device Type - Type de protection solaire - 日除け装置種別 - - - - - Spécifies le type de protection solaire. - 日除け装置の種別を設定する。 - - - - MechanicalOperated - Indication whether the element is operated machanically (TRUE) or not, i.e. manually (FALSE). - - - - - - - Mechanisch - Mechanical Operated - Actionné mécaniquement - 機械的操作 - - - Angabe, ob dieses Bauteil mechanisch bewegt oder angetrieben wird (JA) oder manuell (NEIN). Diese Eigenschaft wird nur für beweglichen Sonnenschutz angegeben. - - Indique si l'élément est actionné mécaniquement (VRAI) ou manuellement (FAUX). - 機械的操作が可能かどうかを示すブーリアン値。可能な場合TRUE、手動の場合FALSE。 - - - - SolarTransmittance - (Tsol): The ratio of incident solar radiation that directly passes through a shading system (also named τe). Note the following equation Asol + Rsol + Tsol = 1 - - - - - - - Strahlungstransmissionsgrad - Solar Transmittance - Transmission du rayonnement solaire - 日射透過率 - - - - - (Tsol). Ratio du rayonnement solaire incident qui est transmis directement par la protection solaire. Noter l'équation suivante : Asol + Rsol + Tsol = 1. - (Tsol):日除けシステムを直接透過する日射の率。注: Asol + Rsol + Tsol = 1 という方程式が成り立つ。 - - - - SolarReflectance - (Rsol): The ratio of incident solar radiation that is reflected by a shading system (also named ρe). Note the following equation Asol + Rsol + Tsol = 1 - - - - - - - Strahlungsreflectionsgrad - Solar Reflectance - Reflexion du rayonnement solaire - 日射反射率 - - - - - (Rsol). Ratio du rayonnement solaire incident qui est réfléchi par la protection solaire. Noter l'équation suivante : Asol + Rsol + Tsol = 1. - (Rsol):日除けシステムにより反射される日射の率。注: Asol + Rsol + Tsol = 1 という方程式が成り立つ。 - - - - VisibleLightTransmittance - Fraction of the visible light that passes the shading system at normal incidence. It is a value without unit. - - - - - - - Transmissionsgrad für sichtbares Licht - Visible Light Transmittance - Transmittance du rayonnement visible - 可視光透過率 - - - - - Fraction du rayonnement visible qui est transmise par la protection solaire sous incidence normale. Valeur sans unité. - 通常の入射における日除け装置を通過する可視光の比率。単位の無い数値。 - - - - VisibleLightReflectance - Fraction of the visible light that is reflected by the glazing at normal incidence. It is a value without unit. - - - - - - - Reflektionsgrad für sichtbares Licht - Visible Light Reflectance - Reflexion du rayonnement visible - 可視光反射率 - - - - - Fraction du rayonnement visible qui est réfléchi par la protection solaire sous incidence normale. Valeur sans unité. - 通常の入射における日除け装置により反射される可視光の比率。単位の無い数値。 - - - - ThermalTransmittance - Thermal transmittance coefficient (U-Value) of a material of a certain thickness for this element. - - - - - - - U-Wert - Thermal Transmittance - Transmission thermique surfacique - 熱貫流率 - - - Wärmedurchgangskoeffizient (U-Wert) der Materialschichten. -Hier der Gesamtwärmedurchgangskoeffizient der Tür. - - Coefficient de transmission thermique surfacique (U) d'un métériau d'une certaine épaisseur pour cet élément - 熱貫流率U値。 -ここでは(すべての材料を含む)梁を通した熱移動の方向における全体の熱還流率を示す。 -注:IFC2x4の新しいプロパティ - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external element and faces the outside of the building. - - - - - - - Außenbauteil - Is External - Est extérieur - 外部区分 - - - Angabe, ob dieses Bauteil ein Aussenbauteil ist (JA) oder ein Innenbauteil (NEIN). Als Aussenbauteil grenzt es an den Aussenraum (oder Erdreich, oder Wasser). - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - 外部の部材かどうかを示すブーリアン値。もしTRUEの場合、外部の部材で建物の外側に面している。 - - - - Roughness - A measure of the vertical deviations of the surface. - - - - - - - Rauheit der Oberfläche - Roughness - Rugosité - 表面粗さ - - - - - Une mesure des déviations verticales de la surface. - 表面の垂直方向の偏差。 - - - - SurfaceColor - The color of the surface. - - - - - - - Oberflächenfarbe - Surface Color - Couleur surface - 表面色 - - - - - La couleur de la surface - 表面の色を示す文字列情報。 - - - - - - 日除け装置(IfcShadingDeviceオブジェクト)に関する共通プロパティセット定義。 - - - - - Pset_ShadingDevicePHistory - Shading device performance history attributes. - - - IfcShadingDevice - - IfcShadingDevice - - - TiltAngle - The angle of tilt defined in the plane perpendicular to the extrusion axis (X-Axis of the local placement). The angle shall be measured from the orientation of the Z-Axis in the local placement. - - - - - Tilt Angle - - - - - - - Azimuth - The azimuth of the outward normal for the outward or upward facing surface. - - - - - Azimuth - - - - - - - - - - - - - Pset_SiteCommon - Properties common to the definition of all occurrences of IfcSite. Please note that several site attributes are handled directly at the IfcSite instance, the site number (or short name) by IfcSite.Name, the site name (or long name) by IfcSite.LongName, and the description (or comments) by IfcSite.Description. The land title number is also given as an explicit attribute IfcSite.LandTitleNumber. Actual site quantities, like site perimeter, site area and site volume are provided by IfcElementQuantity, and site classification according to national building code by IfcClassificationReference. The global positioning of the site in terms of Northing and Easting and height above sea level datum is given by IfcSite.RefLongitude, IfcSite.RefLatitude, IfcSite.RefElevation and the postal address by IfcSite.SiteAddress. - - - IfcSite - - IfcSite - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). Used to store the non-classification driven internal project type. - - - - - - - Referenz ID - Reference - Reference - 参照記号 - 참조 ID - - - Identifikator der projektinternen Referenz für dieses Grundstück, z.B. nach der Grundstückklassifizierung des Bauherrn. Wird verwendet, wenn keine allgemein anerkanntes Klassifizierungssystem angewandt wird. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1"). Utilisé pour enregistrer un type sans recourir à une classification. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 이 프로젝트의 참조 ID (예 : A-1). 분류 코드가 아닌 내부에서 사용되는 프로젝트 형식으로 사용됩니다. - - - - BuildableArea - The area of site utilization expressed as a maximum value according to local building codes. - - - - - - - bebaubare Fläche - Buildable Area - ValeurSurfaceConstructible - 建築可能面積 - 건축 가능 면적 - - - bebaubare Fläche als maximale überbaubare Fläche des Grundstücks. - - Surface constructible maximale en fonction des contraintes d'urbanisme. - 建築基準により建築可能な最大の面積。 - 속성정의 - - - - SiteCoverageRatio - The ratio of the utilization, TotalArea / BuildableArea, expressed as a maximum value. The ratio value may be used to derive BuildableArea. - - - - - - - Grundflächenzahl - Site Coverage Ratio - RatioSurfaceConstructible - 建蔽率 - 건폐율 - - - Grundflächenzahl als Verhältnis der bebaubaren Fläche zur Bruttogrundstücksfläche. - - Valeur maximale de la surface constructible exprimée en ratio. La valeur du ratio peut être utilisée pour déterminer la surface constructible. - 建築基準により最大となる、敷地面積(IfcElementQuantity)と建築面積(IfcBuildingのIfcElementQuantity)の比率。 - TotalArea / BuildableArea로 표시되는 이용 가능한 비율의 최대값입니다. - - - - FloorAreaRatio - The ratio of all floor areas to the buildable area as the maximum floor area utilization of the site as a maximum value according to local building codes. - - - - - - - Geschossflächenzahl - Floor Area Ratio - ratio de surface de planchers - 容積率 - - - Geschossflächenzahl als Verhältnis der gesamten Geschossfläche aller Vollgeschosse der baulichen Anlagen auf einem Baugrundstück zu der Fläche des Baugrundstücks. - - Ratio de la surface totale de planchers à la surface constructible, indication de la valeur maximale de la surface de planchers selon la règlementation locale (coefficient d'occupation des sols, N.d.T.) - 建築基準により最大となる床面積と敷地面積(IfcElementQuantities)の比率。 - - - - BuildingHeightLimit - Allowed maximum height of buildings on this site - according to local building codes. - - - - - - - maximale Bebauungshöhe - Building Height Limit - HauteurMaximale - 建物高さ制限 - 건물 높이 제한 - - - Maximale Bebauungshöhe die auf diesem Grundstück zulässig ist. - - Hauteur maximale des bâtiments autorisée sur ce site. - 各地域の建築基準により許可される建物の高さの最大値。 - TotalArea / BuildableArea로 표시되는 이용 가능한 비율의 최대값입니다. - - - - TotalArea - Total planned area for the site. Used for programming the site space. - - - - - - - Bruttogrundstücksfläche - Total Area - SurfaceBruteProgrammee - 延べ面積 - 연면적 - - - Gesamte Grundstücksfläche für diese Bauaufgabe. - - Surface totale brute. Définie en phase de programmation. - 敷地にたいする延べ計画面積。敷地空間の計画に使用。 - 부지에 대한 총 계획 면적. 호텔 공간 계획에 사용됩니다. - - - - - Property Set Definition in German - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de IfcSite. Veuillez noter que plusieurs attributs sont portés par l'instance IfcSite : le numéro du site ou nom court (IfcSite.Name), le nom ou nom long (IfcSite.LongName), et la description ou des commentaires (IfcSite.Description). Le numéro de référence du foncier est donné par l'attribut IfcSite.LandTitleNumber. Les quantités du site comme le périmètre et la superficie sont fournis par des instances de IfcElementQuantity et la référence à une classification nationale par IfcClassificationReference. La position du site en termes de longitude, latitude et altitude est donnée par IfcSite.RefLongitude, IfcSite.RefLatitude, IfcSite.RefElevation et l'adresse postale par IfcSite.SiteAddress. - IfcSiteに関する共通プロパティセット定義。以下の属性値に関しては、IfcSiteオブジェクトの属性に設定する。敷地番号はIfcSite.Name、敷地名称はIfcSite.LongName、敷地に関する記述はIfcSite.Description。敷地に関する周囲長、面積、体積などの数量値は、IfcElementQuantityによって設定する。地理情報に関する緯度・経度・標高値はIfcSite.RefLongitude, IfcSite.RefLatitude, IfcSite.RefElevationによって設定し、郵便住所はIfcSite.SiteAddressによって設定する。 - - - - - Pset_SlabCommon - Properties common to the definition of all occurrences of IfcSlab. Note: Properties for PitchAngle added in IFC 2x3 - - - IfcSlab - - IfcSlab - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Bauteiltyp - Reference - Reference - 参照記号 - 参考号 - - - Bezeichnung zur Zusammenfassung gleichartiger Bauteile zu einem Bauteiltyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1") pour désigner un "type de construction". Une alternative au nom d'un objet type lorsque les objets types ne sont pas gérés par le logiciel. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 若未采用已知的分类系统,则该属性为该项目中该类型构件的参考编号(例如,类型A-1)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - AcousticRating - Acoustic rating for this object. -It is provided according to the national building code. It indicates the sound transmission resistance of this object by an index ratio (instead of providing full sound absorbtion values). - - - - - - - Schallschutzklasse - Acoustic Rating - IsolationAcoustique - 遮音等級 - 隔音等级 - - - Schallschutzklasse gemäß der nationalen oder regionalen Schallschutzverordnung. - - Classement acoustique de cet objet. Donné selon le Code National du Bâtiment. Il indique la résistance à la transmission du son de cet objet par une valeur de référence (au lieu de fournir les valeurs totales d'absorption du son). - 遮音等級情報。関連する建築基準法を参照。 - 该构件的隔音等级。 -该属性的依据为国家建筑规范。为表示该构件隔音效果的比率(而不是完全吸收声音的值)。 - - - - FireRating - Fire rating for this object. It is given according to the national fire safety classification. - - - - - - - Feuerwiderstandsklasse - Fire Rating - ResistanceAuFeu - 耐火等級 - 防火等级 - - - Feuerwiderstandasklasse gemäß der nationalen oder regionalen Brandschutzverordnung. - - Classement au feu de l'élément donné selon la classification nationale de sécurité incendie. - 主要な耐火等級。関連する建築基準法、消防法などの国家基準を参照。 - 该构件的防火等级。 -该属性的依据为国家防火安全分级。 - - - - PitchAngle - Angle of the slab to the horizontal when used as a component for the roof (specified as 0 degrees or not asserted for cases where the slab is not used as a roof component). - -The shape information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the shape properties, provided in the attached property, the geometric parameters take precedence. For geometry editing applications, like CAD: this value should be write-only. - - - - - - - Dachflächenneigung - Pitch Angle - AngleInclinaison - 勾配角度 - - - Neigungswinkel der Decke gegenüber der Horizontalen wenn es sich um eine Dachfläche handelt. Angabe 0 Grad definiert eine horizontale Fläche. - -Dieser Parameter wird zusätzlich zur geometrischen Repräsentation bereitgestellt. Im Fall der Inkonsistenz zwischen dem Parameter und der Geometrie hat die geometrische Repräsention Priorität. Dieser Parameter ist für CAD Software write-only. - - Angle de la dalle avec l'horizontale quand elle est utilisée comme un élément de la couverture (valeur 0 ou non définie lorsque la dalle ne participe pas à la couverture). Cette propriété est donnée en complément de la représentation de la forme et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. Les applications qui déterminent la géométrie comme les logiciels de CAO ne doivent pas autoriser la modification de cette propriété. - コンポーネントが屋根として使用される場合の、水平に対するスラブの角度(スラブが屋根として使用されない場合は、0度と指定されるか、定義されない)。 - -形状情報は形状の表現として追加され、幾何学的なパラメータが使用される。幾何学的なパラメータと追加された形状プロパティが矛盾する場合、幾何学的なパラメータが優先される。CADのような、幾何学操作アプリケーションにとって、この値は、書き込み専用であるべきだ。 - - - - Combustible - Indication whether the object is made from combustible material (TRUE) or not (FALSE). - - - - - - - Brennbares Material - Combustible - Combustible - 可燃性区分 - 是否可燃 - - - Angabe ob das Bauteil brennbares Material enthält (WAHR) oder nicht (FALSCH). - - Indique si l'objet est fait de matière combustible (VRAI) ou non (FAUX). - この部材が可燃性物質で作られているかどうかを示すブーリアン値。 - 表示该构件是否由可燃材料制成。 - - - - SurfaceSpreadOfFlame - Indication on how the flames spread around the surface, It is given according to the national building code that governs the fire behaviour for materials. - - - - - - - Brandverhalten - Surface Spread Of Flame - SurfacePropagationFlamme - 火炎伝播性 - - - Beschreibung des Brandverhaltens des Bauteils gemäß der nationalen oder regionalen Brandschutzverordnung. - - Indique comment les flammes se propagent sur une surface. Indication donnée selon le Code National du Bâtiment régissant le comportement au feu des matériaux. - 炎がどのように材料の表面を広がるかという指標。材料の炎に対する振る舞いについての国家建築規則に従って提供される。 - - - - Compartmentation - Indication whether the object is designed to serve as a fire compartmentation (TRUE) or not (FALSE). - - - - - - - Brandabschnittsdefinierendes Bauteil - Compartmentation - Compartimentage - 防火区画 - - - Angabe, ob dieses Bauteil einen Brandabschnitt begrenzt (WAHR), oder nicht (FALSCH). - - Indique si l'objet est conçu pour assurer un compartimentage contre l'incendie (VRAI) ou non (FAUX). - 部材が防火区画として用いられるかどうかを示すブーリアン値(TRUE or False)。 - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external element and faces the outside of the building. - - - - - - - Außenbauteil - Is External - EstExterieur - 外部区分 - 是否外部构件 - - - Angabe, ob dieses Bauteil ein Aussenbauteil ist (JA) oder ein Innenbauteil (NEIN). Als Aussenbauteil grenzt es an den Aussenraum (oder Erdreich, oder Wasser). - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - 外部の部材かどうかを示すブーリアン値。もしTRUEの場合、外部の部材で建物の外側に面している。 - 表示该构件是否设计为外部构件。若是,则该构件为外部构件,朝向建筑物的外侧。 - - - - ThermalTransmittance - Thermal transmittance coefficient (U-Value) of a material. Here the total thermal transmittance coefficient through the slab (including all materials). - - - - - - - U-Wert - Thermal Transmittance - TransmissionThermique - 熱貫流率 - 导热系数 - - - Wärmedurchgangskoeffizient (U-Wert) der Materialschichten. -Hier der Gesamtwärmedurchgangskoeffizient der Decke (für alle Schichten). - - Coefficient de transmission thermique surfacique (U). C'est le coefficient global de transmission thermique à travers la dalle (tous matériaux inclus). - 熱貫流率U値。ここではスラブを通した熱移動の方向における全体の熱還流率を示す。 - 材料的导热系数(U值)。 -表示穿过该板的整体导热系数(包括所有材料)。 - - - - LoadBearing - Indicates whether the object is intended to carry loads (TRUE) or not (FALSE). - - - - - - - Tragendes Bauteil - Load Bearing - Porteur - 耐力部材 - 是否承重 - - - Angabe, ob dieses Bauteil tragend ist (JA) oder nichttragend (NEIN) - - Indique si l'objet est censé porter des charges (VRAI) ou non (FAUX). - 荷重に関係している部材かどうかを示すブーリアン値。 - 表示该对象是否需要承重。 - - - - - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de la classe IfcSlab. Nota : la propriété AngleInclinaison a été introduite depuis la version 2x3. - IfcSlab(スラブ)オブジェクトに関する共通プロパティセット定義。 - 所有IfcSlab实例的定义中通用的属性。 -注:PitchAngle属性为IFC 2x3 新添。 - - - - - Pset_SolarDeviceTypeCommon - Common properties for solar device types. - - - IfcSolarDevice - - IfcSolarDevice - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - このプロジェクト (例. 'A-1' タイプなど)で指定された参照ID。認められた分類体系の分類参照が存在しない場合に適用される。 - 프로젝트 (예 : 'A-1'유형 등) 지정된 참조 ID. 인정 분류 체계의 분류 참조가없는 경우에 적용된다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - 太陽の装置タイプのための共通属性。 - - - - - Pset_SoundAttenuation - Common definition to capture sound pressure at a point on behalf of a device typically used within the context of building services and flow distribution systems. To indicate sound values from an instance of IfcDistributionFlowElement at a particular location, IfcAnnotation instance(s) should be assigned to the IfcDistributionFlowElement through the IfcRelAssignsToProduct relationship. The IfcAnnotation should specify ObjectType of 'Sound' and geometric representation of 'Annotation Point' consisting of a single IfcPoint subtype as described at IfcAnnotation. This property set is instantiated multiple times on an object for each frequency band. HISTORY: New property set in IFC Release 2x4. - - - IfcAnnotation/SOUND - - IfcAnnotation/SOUND - - - SoundScale - The reference sound scale. - -DBA: Decibels in an A-weighted scale -DBB: Decibels in an B-weighted scale -DBC: Decibels in an C-weighted scale -NC: Noise criteria -NR: Noise rating - - - - DBA - DBB - DBC - NC - NR - - - - DBA - - dB-A - - - Decibels in an A-weighted scale - - - - DBB - - dB-B - - - Decibels in an B-weighted scale - - - - DBC - - dB-C - - - Decibels in an C-weighted scale - - - - NC - - Nc - - - Noise criteria - - - - NR - - Nr - - - Noise rating - - - - - - - Sound Scale - 騒音の単位 - 소음단위 - - - - 騒音の単位: - -- DBA: dB(A) -- DBB: dB(B) -- DBC:dB(C) -- NC:騒音基準 -- NR:騒音評価 - 소음 단위. DBA : dB (A) DBB : dB (B) DBC : dB (C) NC : 소음 기준 NR : 소음 평가 - - - - SoundFrequency - List of nominal sound frequencies, correlated to the SoundPressure time series values (IfcTimeSeries.ListValues) - - - - - - - - - Sound Frequency - 音の周波数 - 소리의 주파수 - - - - 代表的な周波数リスト、時系列音圧値と関連する。(IfcTimeSeriesにリストされた値) - 대표적인 주파수 목록 시계열 소리 圧値과 관련된다. (IfcTimeSeries에 나열된 값) - - - - SoundPressure - A time series of sound pressure values measured in decibels at a reference pressure of 20 microPascals for the referenced octave band frequency. Each value in IfcTimeSeries.ListValues is correlated to the sound frequency at the same position within SoundFrequencies. - - - - - Sound Pressure - 音圧 - 음압 - - - - 時系列の音圧、単位はデシベル。オクターブバンドの音の強さ20mPaを基準する。IfcTimeSeriesにリストされた各値は同じ場所で、同じ周波数バントでの温の周波数と関連する。 - 시계열의 음압 단위는 dB. 옥타브 밴드 소리의 강도 20mPa을 기준한다. IfcTimeSeries에 나열된 각 값은 같은 장소에서 같은 주파수 번트에서 온도의 주파수와 관련. - - - - - - 建物管理・空気の搬送システムに関連する設備の音圧の性能指標。特定位置からあるIfcDistributionFlowElement設備の音性能値を表すために、IfcRelAssignsToProduct を通してIfcDistributionFlowElementに IfcAnnotation注釈属性値を付ける。 IfcAnnotation属性値は音の種別(ObjectType) と幾何的な代表位置注釈ポイントで構成され、注釈ポイントは IfcAnnotation注釈を入れたIfcPoint一点とする。このPsetは周波数バンド(帯域幅)1HZにおけるある音の強さの倍数で表示する。履歴:IFC2x4に新たに定義された。 - - - - - Pset_SoundGeneration - Common definition to capture the properties of sound typically used within the context of building services and flow distribution systems. This property set is instantiated multiple times on an object for each frequency band. HISTORY: New property set in IFC Release 2x4. - - - IfcDistributionFlowElement - - IfcDistributionFlowElement - - - SoundCurve - Table of sound frequencies and sound power measured in decibels at a reference power of 1 picowatt(10^(-12) watt) for the referenced octave band frequency. - - - - - - - - - - - - - Sound Curve - 音響(騒音?)曲線 - 음향곡성 - - - - オクターブバンド1pW(10^(-12)の音の強さを基準とする音の周波数とデシベル単位で計測した音のエネルギーの一覧表。 - 옥타브 밴드 1pW (10 ^ (-12) 소리의 강도를 기준으로하는 소리의 주파수와 데시벨 단위로 측정하는 소리 에너지의 목록. - - - - - - 建物管理・空気の搬送システムに関連する設備の騒音性能指標。周波数バンド(帯域幅)1HZにおけるある音の強さの倍数で表示する。履歴:IFC4に新たに定義された。 - - - - - Pset_SpaceCommon - Properties common to the definition of all occurrences of IfcSpace. Please note that several space attributes are handled directly at the IfcSpace instance, the space number (or short name) by IfcSpace.Name, the space name (or long name) by IfcSpace:LongName, and the description (or comments) by IfcSpace.Description. Actual space quantities, like space perimeter, space area and space volume are provided by IfcElementQuantity, and space classification according to national building code by IfcClassificationReference. The level above zero (relative to the building) for the slab row construction is provided by the IfcBuildingStorey.Elevation, the level above zero (relative to the building) for the floor finish is provided by the IfcSpace.ElevationWithFlooring. - - - IfcSpace - - IfcSpace - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). Used to store the non-classification driven internal project type. - - - - - - - Raumtyp - Reference - Reference - 参照記号 - 참조 ID - - - Bezeichnung zur Zusammenfassung gleichartiger Räume zu einem Raumtyp (auch Funktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Raumtypen als Typobjekte unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1"). Utilisé pour enregistrer un type sans recourir à une classification. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 이 프로젝트의 참조 ID (예 : A-1). 분류 코드가 아닌 내부에서 사용되는 프로젝트 형식으로 사용됩니다. - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external element and faces the outside of the building. - - - - - - - IstAußenraum - Is External - Est extérieur - 外部区分 - - - Angabe, ob dieser Raum ein Aussenaum ist (JA) oder ein Innenraum (NEIN). - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - 外部の部材かどうかを示すブーリアン値。もしTRUEの場合、外部の部材で建物の外側に面している。 - - - - GrossPlannedArea - Total planned gross area for the space. Used for programming the space. - - - - - - - Gross Planned Area - Surface programmée brute - 計画グロス面積 - 계획 그로스 면적 - - - - Surface programmée brute totale de la pièce. Telle que définie lors de la programmation. - 計画されたグロス面積。建物計画に際に使用。 - 객실의 총 계획 면적 글로스. 공간 계획시 사용된다. - - - - NetPlannedArea - Total planned net area for the space. Used for programming the space. - - - - - - - Net Planned Area - Surface programmée nette - 計画ネット面積 - 계획 인터넷 면적 - - - - Surface programmée nette totale de la pièce. Telle que définie lors de la programmation. - 計画されたネット面積。建物計画に際に使用。(通常は、柱型等を抜いた面積となる) - 객실의 총 계획 인터넷 공간이 있습니다. 공간 계획시 사용된다. - - - - PubliclyAccessible - Indication whether this space (in case of e.g., a toilet) is designed to serve as a publicly accessible space, e.g., for a public toilet (TRUE) or not (FALSE). - - - - - - - öffentlich zugänglich - Publicly Accessible - AccessibleAuPublic - 公共アクセス可能性 - 공공 액세스 가능성 - - - Angabe, ob dieser Raum (wie z.B. eine Toilette) öffentlich zugänglich sein soll (JA) oder nicht (NEIN). - - Indique si l'espace (par exemple des toilettes) est conçu pour être un espace accessible au public (TRUE) ou non (FALSE). - この部屋(空間)が公共アクセス空間かどうかを示すブーリアン値。例:公共トイレの場合TRUE。 - 이 방 (공간)이 공공 액세스 공간 여부를 나타내는 부울 값입니다. 예 : 공공 화장실의 경우 TRUE. - - - - HandicapAccessible - Indication whether this space (in case of e.g., a toilet) is designed to serve as an accessible space for handicapped people, e.g., for a public toilet (TRUE) or not (FALSE). This information is often used to declare the need for access for the disabled and for special design requirements of this space. - - - - - - - behindertengerecht zugänglich - Handicap Accessible - AccessibleHandicapes - ハンディキャップアクセス可能性 - 핸디캡 액세스 가능성 - - - Angabe, ob dieser Raum (wie z.B. eine Toilette) behindertengerecht zugänglich sein soll (JA) oder nicht (NEIN). - - Indique si l'élément est conçu pour être accessible aux handicapés (VRAI) ou non (FAUX). Cette information est souvent utilisée pour déclarer la nécessité d'un accès pour handicapés ou pour des contraintes spéciales de conception. - この部屋(空間)がハンディキャップ者向けの空間かどうかを示すブーリアン値。例:公共トイレの場合TRUE。この情報は、障害者向け利用の必要性や特別なデザインの必要性を示すために利用される。 - 이 방 (공간)이 핸디캡을위한 공간 여부를 나타내는 부울 값입니다. 예 : 공공 화장실의 경우 TRUE. 이 정보는 장애인을위한 이용의 필요성과 특별한 디자인의 필요성을 나타내기 위해 사용된다. - - - - - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de la classe IfcSpace. Veuillez noter que plusieurs attributs sont portés par l'instance IfcSpace : le numéro de la pièce ou le nom court (IfcSpace.Name), le nom ou nom long (IfcSpace:LongName) et la description ou des commentaires (IfcSpace.Description). Les quantités comme le périmètre, la surface et le volume de la pièce sont fournis par des instances de IfcElementQuantity, et la référence à une classification nationale par IfcClassificationReference. L'élévation de la dalle relativement au niveau de référence du bâtiment est fourni par IfcBuildingStorey.Elevation. L'élévation du plancher relativement au niveau de référence du bâtiment est fourni par IfcSpace.ElevationWithFlooring. - IfcSpaceに関する共通プロパティセット定義。以下の属性値に関しては、IfcSpaceオブジェクトの属性に設定する。部屋番号はIfcSite.Name、部屋名称はIfcSite.LongName、部屋に関する記述はIfcSite.Description。部屋(空間)に関する周囲長、面積、体積などの数量値は、IfcElementQuantitiesによって設定する。部屋(空間)に関する分類コードはIfcClassificationReferenceによって設定する。スラブに対するレベルはIfcBuildingStorey.Elevationによって与えられる。床仕上げに対するレベルはIfcSpace.ElevationWithFlooringによって与えられる。 - - - - - Pset_SpaceCoveringRequirements - Properties common to the definition of covering requirements of IfcSpace. Those properties define the requirements coming from a space program in early project phases and can later be used to define the room book information, if such coverings are not modeled explicitly as covering elements. - - - IfcSpace - - IfcSpace - - - FloorCovering - Label to indicate the material or finish of the space flooring. The label is used for room book information and often displayed in room stamp. - -The material information is provided in absence of an IfcCovering (type=FLOORING) object with own shape representation and material assignment. In case of inconsistency the material assigned to IfcCovering elements takes precedence. - - - - - - - Bodenbelag - Floor Covering - RevetementSol - 床仕上げ - - - Angabe des Materials für den Bodenbelag. Diese Angabe wird im Raumbuch verwendet und oft im Raumstempel angezeigt. - -Die Materialangabe wird übernommen, wenn kein eigenes Bekleidungsobjekt (IfcCovering mit PredefinedType = FLOORING) für den Bodenbelag dem Raum zugeordnet ist. Bei Inkonsistenzen (wenn beides gegeben ist), hat die Materialangabe des zugeordneten Bekleidungsobjekts Priorität. - - Indication sur la nature du revêtement de sol […]. L'information sur le matériau est fournie en l'absence d'un objet de la classe IfcCovering (Type=FLOORING) avec sa propre représentation de forme et une assignation à un matériau. En cas d'incohérence, c'est le matériau assigné à l'instance de IfcCovering qui prime. - 部屋の床材質または仕上げに関するラベル(識別情報)。このラベル名は部屋リスト情報や部屋情報表示の際に利用される。 - - - - FloorCoveringThickness - Thickness of the material layer(s) for the space flooring. - -The thickness information is provided in absence of an IfcCovering (type=FLOORING) object with own shape representation. In cases of inconsistency between the geometric parameters of an assigned IfcCovering and this attached property, the geometric parameters take precedence. - - - - - - - Dicke des Bodenbelags - Floor Covering Thickness - Epaisseur du revêtement de sol - 床仕上げ材厚 - - - Angabe der Dicke der Materialschichten für den Bodenbelag. - -Der Dickenparameter wird übernommen, wenn kein eigenes Bekleidungsobjekt (IfcCovering mit PredefinedType = FLOORING) für den Bodenbelag dem Raum zugeordnet ist. Bei Inkonsistenzen (wenn beides gegeben ist), hat die Materialdicke des zugeordneten Bekleidungsobjekts Priorität. - - Epaisseur de la couche de matériau constituant le revêtement de sol. Cette information sur le matériau est fournie en l'absence d'un objet de la classe IfcCovering (Type=FLOORING) avec sa propre représentation de forme. En cas d'incohérence entre les paramètres géométriques de l'instance de IfcCovering et cette propriété, ce sont les paramètres géométriques qui priment. - 部屋の床に関する材質層の厚さ。 - -形状表現を持つIfcCovering(type=FLOORING)オブジェクトが存在しない場合に与えられる厚さ情報。IfcCoveringの幾何形状パラメータとこのプロパティ値が一致しない場合、幾何形状パラメータの値を優先する。 - - - - WallCovering - Label to indicate the material or finish of the space flooring. The label is used for room book information and often displayed in room stamp. - -The material information is provided in absence of an IfcCovering (type=CLADDING) object with own shape representation and material assignment. In case of inconsistency the material assigned to IfcCovering elements takes precedence. - - - - - - - Wandbekleidung - Wall Covering - RevetementMur - 壁仕上げ - - - Angabe des Materials für die Wandbekleidung, oder den Wandbelag Diese Angabe wird im Raumbuch verwendet und oft im Raumstempel angezeigt. - -Die Materialangabe wird übernommen, wenn kein eigenes Bekleidungsobjekt (IfcCovering mit PredefinedType = CLADDING) für die Wandbekleidung dem Raum zugeordnet ist. Bei Inkonsistenzen (wenn beides gegeben ist), hat die Materialangabe des zugeordneten Bekleidungsobjekts Priorität. - - Indication sur la nature du revêtement de mur […]. L'information sur le matériau est fournie en l'absence d'un objet de la classe IfcCovering (Type=CLADDING) avec sa propre représentation de forme et une assignation à un matériau. En cas d'incohérence, c'est le matériau assigné à l'instance de IfcCovering qui prime. - 部屋の壁材質または仕上げに関するラベル(識別情報)。このラベル名は部屋リスト情報や部屋情報表示の際に利用される。 - - - - WallCoveringThickness - Thickness of the material layer(s) for the space cladding. - -The thickness information is provided in absence of an IfcCovering (type=CLADDING) object with own shape representation. In cases of inconsistency between the geometric parameters of an assigned IfcCovering and this attached property, the geometric parameters take precedence. - - - - - - - Dicke der Wandbekleidung - Wall Covering Thickness - Epaisseur du revêtement de mur - 壁仕上げ厚 - - - Angabe der Dicke der Materialschichten für die Wandbekleidung. - -Der Dickenparameter wird übernommen, wenn kein eigenes Bekleidungsobjekt (IfcCovering mit PredefinedType = CLADDING) für die Wandbekleidung dem Raum zugeordnet ist. Bei Inkonsistenzen (wenn beides gegeben ist), hat die Materialdicke des zugeordneten Bekleidungsobjekts Priorität. - - Epaisseur de la couche de matériau constituant le revêtement de mur. Cette information sur le matériau est fournie en l'absence d'un objet de la classe IfcCovering (Type=CLADDING) avec sa propre représentation de forme. En cas d'incohérence entre les paramètres géométriques de l'instance de IfcCovering et cette propriété, ce sont les paramètres géométriques qui priment. - 部屋の壁に関する材質層の厚さ。 - -形状表現を持つIfcCovering(type=CLADDING)オブジェクトが存在しない場合に与えられる厚さ情報。IfcCoveringの幾何形状パラメータとこのプロパティ値が一致しない場合、幾何形状パラメータの値を優先する。 - - - - CeilingCovering - Label to indicate the material or finish of the space flooring. The label is used for room book information and often displayed in room stamp. - -The material information is provided in absence of an IfcCovering (type=CEILING) object with own shape representation and material assignment. In case of inconsistency the material assigned to IfcCovering elements takes precedence. - - - - - - - Deckenbekleidung - Ceiling Covering - RevetementPlafond - 天井仕上げ - - - Angabe des Materials für die Deckenbekleidung oder den Deckenbelag (bzw. der Unterdecke). Diese Angabe wird im Raumbuch verwendet und oft im Raumstempel angezeigt. - -Die Materialangabe wird übernommen, wenn kein eigenes Bekleidungsobjekt (IfcCovering mit PredefinedType = CEILING) für die Deckenbekleidung dem Raum zugeordnet ist. Bei Inkonsistenzen (wenn beides gegeben ist), hat die Materialangabe des zugeordneten Bekleidungsobjekts Priorität. - - Indication sur la nature du revêtement de plafond […]. L'information sur le matériau est fournie en l'absence d'un objet de la classe IfcCovering (Type=CEILING) avec sa propre représentation de forme et une assignation à un matériau. En cas d'incohérence, c'est le matériau assigné à l'instance de IfcCovering qui prime. - 部屋の天井材質または仕上げに関するラベル(識別情報)。このラベル名は部屋リスト情報や部屋情報表示の際に利用される。 - - - - CeilingCoveringThickness - Thickness of the material layer(s) for the space ceiling. - -The thickness information is provided in absence of an IfcCovering (type=CEILING) object with own shape representation. In cases of inconsistency between the geometric parameters of an assigned IfcCovering and this attached property, the geometric parameters take precedence. - - - - - - - Dicke der Deckenbekleidung - Ceiling Covering Thickness - Epaisseur du revêtement de plafond - 天井仕上げ厚 - - - Angabe der Dicke der Materialschichten für die Deckenbekleidung. - -Der Dickenparameter wird übernommen, wenn kein eigenes Bekleidungsobjekt (IfcCovering mit PredefinedType = CEILING) für die Deckenbekleidung dem Raum zugeordnet ist. Bei Inkonsistenzen (wenn beides gegeben ist), hat die Materialdicke des zugeordneten Bekleidungsobjekts Priorität. - - Epaisseur de la couche de matériau constituant le revêtement de sol. Cette information sur le matériau est fournie en l'absence d'un objet de la classe IfcCovering (Type=CEILING) avec sa propre représentation de forme. En cas d'incohérence entre les paramètres géométriques de l'instance de IfcCovering et cette propriété, ce sont les paramètres géométriques qui priment. - 部屋の天井に関する材質層の厚さ。 - -形状表現を持つIfcCovering(type=CEILING)オブジェクトが存在しない場合に与えられる厚さ情報。IfcCoveringの幾何形状パラメータとこのプロパティ値が一致しない場合、幾何形状パラメータの値を優先する。 - - - - SkirtingBoard - Label to indicate the material or construction of the skirting board around the space flooring. The label is used for room book information. - -The material information is provided in absence of an IfcCovering (type=SKIRTINGBOARD) object with own shape representation and material assignment. In case of inconsistency the material assigned to IfcCovering elements takes precedence. - - - - - - - Sockelleiste - Skirting Board - Matériau de la plinthe - 幅木材 - - - Angabe des Materials für die Sockelleiste. Diese Angabe wird im Raumbuch verwendet. - -Die Materialangabe wird übernommen, wenn kein eigenes Bekleidungsobjekt (IfcCovering mit PredefinedType = SKIRTINGBOARD) für die Sockelleiste dem Raum zugeordnet ist. Bei Inkonsistenzen (wenn beides gegeben ist), hat die Materialangabe des zugeordneten Bekleidungsobjekts Priorität. - - - 部屋の床の周りにある幅木の材質または施工に関するラベル(識別情報)。ラベル名は部屋リスト情報に使用される。 - -形状表現を持つIfcCovering (type=SKIRTINGBOARD)オブジェクトが存在しない場合に与えられる材質情報。IfcCoveringの材質情報とこのプロパティ値が一致しない場合、IfcCoveringに与えられている材質情報を優先する。 - - - - SkirtingBoardHeight - Height of the skirting board. - -The height information is provided in absence of an IfcCovering (type=SKIRTINGBOARD) object with own shape representation and material assignment. In case of inconsistency the height assigned to IfcCovering elements takes precedence. - - - - - - - Höhe der Sockelleite - Skirting Board Height - Hauteur de la plinthe - 幅木材高 - - - Angabe der Höhe der umlaufenden Sockelleiste. - -Der Höhenparameter wird übernommen, wenn kein eigenes Bekleidungsobjekt (IfcCovering mit PredefinedType = SKIRTINGBOARD) für die Sockelleiste dem Raum zugeordnet ist. Bei Inkonsistenzen (wenn beides gegeben ist), hat die Höhe des zugeordneten Bekleidungsobjekts Priorität. - - - 部屋の幅木の高さ。 - -形状表現を持つIfcCovering(type=SKIRTINGBOARD)オブジェクトが存在しない場合に与えられる厚さ情報。IfcCoveringの幾何形状パラメータとこのプロパティ値が一致しない場合、幾何形状パラメータの値を優先する。 - - - - Molding - Label to indicate the material or construction of the molding around the space ceiling. The label is used for room book information. - -The material information is provided in absence of an IfcCovering (type=MOLDING) object with own shape representation and material assignment. In case of inconsistency the material assigned to IfcCovering elements takes precedence. - - - - - - - Gesims - Molding - Matériau de la moulure - 廻縁 - - - Angabe des Materials für das Gesims (Deckenkante). Diese Angabe wird im Raumbuch verwendet. - -Die Materialangabe wird übernommen, wenn kein eigenes Bekleidungsobjekt (IfcCovering mit PredefinedType = MOLDING) für das Gesims dem Raum zugeordnet ist. Bei Inkonsistenzen (wenn beides gegeben ist), hat die Materialangabe des zugeordneten Bekleidungsobjekts Priorität. - - - 部屋の廻縁の材質または施工に関するラベル(識別情報)。ラベル名は部屋リスト情報に使用される。 - -形状表現を持つIfcCovering (type=MOLDING)オブジェクトが存在しない場合に与えられる材質情報。IfcCoveringの材質情報とこのプロパティ値が一致しない場合、IfcCoveringに与えられている材質情報を優先する。 - - - - MoldingHeight - Height of the molding. - -The height information is provided in absence of an IfcCovering (type=MOLDING) object with own shape representation and material assignment. In case of inconsistency the height assigned to IfcCovering elements takes precedence. - - - - - - - Höhe des Gesims - Molding Height - Hauteur de la moulure - 廻縁高 - - - Angabe der Höhe des umlaufenden Gesims (Deckenkante). - -Der Höhenparameter wird übernommen, wenn kein eigenes Bekleidungsobjekt (IfcCovering mit PredefinedType = MOLDING) für das Gesims dem Raum zugeordnet ist. Bei Inkonsistenzen (wenn beides gegeben ist), hat die Höhe des zugeordneten Bekleidungsobjekts Priorität. - - - 部屋の廻縁の高さ。 - -形状表現を持つIfcCovering(type=MOLDING)オブジェクトが存在しない場合に与えられる厚さ情報。IfcCoveringの幾何形状パラメータとこのプロパティ値が一致しない場合、幾何形状パラメータの値を優先する。 - - - - ConcealedFlooring - Indication whether this space is designed to have a concealed flooring space (TRUE) or not (FALSE). A concealed flooring space is normally meant to be the space beneath a raised floor. - - - - - - - Installationsboden - Concealed Flooring - FauxPlancher - 隠蔽床 - - - Angabe, ob dieser Raum mit einem aufgeständerten Fußboden ausgestattet ist (JA), oder nicht (NEIN). - - Indique si la pièce comprend un faux plancher (VRAI) ou non (FAUX) - この部屋(空間)が隠蔽された床空間を持つように設計されているかどうかを示すブーリアン値。隠蔽された床空間とは、上げ床の下の空間。 - - - - ConcealedFlooringOffset - Distance between the floor slab and the floor covering, often used for cables and other installations. Often referred to as raised flooring. - - - - - - - - - - ConcealedCeiling - Indication whether this space is designed to have a concealed flooring space (TRUE) or not (FALSE). A concealed ceiling space is normally meant to be the space between a slab and a ceiling. - - - - - - - Installationsdecke - Concealed Ceiling - FauxPlafond - 隠蔽天井 - - - Angabe, ob dieser Raum mit einer Installationsdecke (abgehängten Decke) ausgestattet ist (JA), oder nicht (NEIN). - - Indique si la pièce comprend un faux plafond (VRAI) ou non (FAUX) - この部屋(空間)が隠蔽された天井空間を持つように設計されているかどうかを示すブーリアン値。隠蔽された天井空間とは、スラブと天井の間の空間。 - - - - ConcealedCeilingOffset - Distance between the upper floor slab and the suspended ceiling, often used for distribution systems. Often referred to as plenum. - - - - - - - - - - - Eigenschaften der Bekleidungen des Raumes. - -Diese Eigenschaften werden als Anforderungen in frühen Phasen im Raumprogramm geführt und können für spätere Phasen als Informationen für das Raumbuch dienen, falls die Bekleidungen nicht als eigenständige Elemente angelegt werden. - - IfcSpace(部屋)の仕上げ(Covering)の共通属性。プロジェクト初期の空間計画からの仕上げ要求仕様情報を設定する。もし。Coveringオブジェクトが生成されていない場合は、このプロパティセットの情報は仕上げ表作成に使用することができる。 - - - - - Pset_SpaceFireSafetyRequirements - Properties related to fire protection of spaces that apply to the occurrences of IfcSpace or IfcZone. - - - IfcSpace - IfcSpatialZone - IfcZone - - IfcSpace, IfcSpatialZone, IfcZone - - - FireRiskFactor - Fire Risk factor assigned to the space according to local building regulations. It defines the fire risk of the space at several levels of fire hazard. - - - - - - - Brandgefahrenklasse - Fire Risk Factor - FacteurRisqueIncendie - 火災危険度要因 - 화재 위험 요인 - - - Brandgefahrenklasse des Raums, angegeben nach der nationalen oder regionalen Brandschutzverordnung. - - Facteur de risque incendie attribué à l'espace, selon la réglementation locale en matière de construction. - 地域の建築規則に従って空間に割り当てられた火災危険要因 -火災のいくつかのレベルにおける空間の火災危険度を定義する。 - 지역 건축 규칙에 따라 공간에 할당된 화재 위험 요인 화재 어느 정도의 공간의 화재 위험도를 정의한다. " - - - - FlammableStorage - Indication whether the space is intended to serve as a storage of flammable material (which is regarded as such by the presiding building code. (TRUE) indicates yes, (FALSE) otherwise. - - - - - - - Lagerung brennbarer Stoffe - Flammable Storage - StockageCombustible - 可燃物保管区分 - 가연성 물질 창고 - - - Angabe, ob der Raum zur Lagerung der Produktion von brennbaren Stoffen genutzt wird (WHAHR) oder nicht (FALSCH). Die Angabe erfolgt nach der nationalen oder regionalen Brandschutzverordnung. - - Indique si l'espace est destiné au stockage de matières inflammables (considérées comme telles par le Code de la Construction en vigueur). (VRAI) signifie oui, (FAUX) sinon. - 空間が可燃物(建築基準を管理することによりそのように考慮される)の倉庫として使われることを意図されているかどうかを示すブーリアン値。(TRUE)はい、(FALSE)いいえ。 - 공간이 가연물 (건축 기준을 관리함으로써 그렇게 여겨지는)의 창고로 사용되는 것을 의도하고 있는지 여부를 나타내는 부울 값입니다. (TRUE) 예 (FALSE) 아니오. "이 물체가 화재의 경우 출구로 사용되도록 설계되었는지 여부를 나타내는 (TRUE) 예 (FALSE) 아니오 값 - - - - FireExit - Indication whether this object is designed to serve as an exit in the case of fire (TRUE) or not (FALSE). -Here whether the space (in case of e.g., a corridor) is designed to serve as an exit space, e.g., for fire escape purposes. - - - - - - - Notausgang - Fire Exit - SortieSecours - 非常口区分 - 화재 출구 (피난 출구) - - - Angabe, ob der Raum einen Notausgang für den Brandfall hat und als ein Notausgangs(sammel)raum im Sinne der Brandschutzverordnung gilt (WAHR), oder nicht (FALSCH). - - Indique si cet objet est conçu pour servir de sortie en cas d'incendie (VRAI) ou non (FAUX). Cas d'un espace comme un couloir conçu pour servir d'espace de sortie, par exemple pour l'évacuation en cas d'incendie. - このオブジェクトが火災の場合に出口として使われるように設計されているかどうかを示すブーリアン値。(TRUE)はい、(FALSE)いいえ。 -ここに、空間(例えば廊下)は、例えば火災避難目的のために出口空間として使われるよう設計されているかどうか。 - 여기에 공간 (예 복도), 예를 들면 화재 피난 목적을 위해 출구 공간으로 사용하도록 설계되었는지 여부 - - - - SprinklerProtection - Indication whether the space is sprinkler protected (TRUE) or not (FALSE). - - - - - - - Sprinklerschutz - Sprinkler Protection - ProtectionParSprinkler - スプリンクラー防御 - 스프링 클러 방어 - - - Angabe, ob der Raum durch eine Sprinkleranlage geschützt wird (WAHR) oder nicht (FALSCH). - - Indication selon laquelle ce bâtiment bénéficie d'une protection par sprinkler (VRAI) ou non (FAUX). - スプリンクラー設備の有無を示すブーリアン値。(TRUE)有、(FALSE)なし。 - 스프링 클러 설비의 유무를 나타내는 부울 값입니다. (TRUE) 유 (FALSE) 없음. - - - - SprinklerProtectionAutomatic - Indication whether the space has an automatic sprinkler protection (TRUE) or not (FALSE). -It should only be given, if the property "SprinklerProtection" is set to TRUE. - - - - - - - Sprinklerschutz automatisch - Sprinkler Protection Automatic - ProtectionAutomatiqueParSprinkler - 自動スプリンクラー防御 - 스프링 클러 방어 자동 구분 - - - Angabe, ob der Raum durch eine automatische Sprinkleranlage geschützt wird (WAHR) oder nicht (FALSCH). Dieser Wert soll nur angegeben werden, wenn das Attribut SprinklerProtection auf (WAHR) gesetzt ist. - - Indication selon laquelle ce bâtiment bénéficie d'une protection automatique par sprinkler (VRAI) ou non (FAUX). - スプリンクラー設備が自動かどうか示すブーリアン値。(TRUE)自動、(FALSE)非自動。「スプリンクラー防御」プロパティがTRUEに設定された場合のみ、与えられる。 - 스프링 클러 설비가 자동 여부를 나타내는 부울 값입니다. (TRUE) 자동 (FALSE) 비자동. "스프링 클러 방어"속성이 TRUE로 설정된 경우에만 주어진다. - - - - AirPressurization - Indication whether the space is required to have pressurized air (TRUE) or not (FALSE). - - - - - - - Luftdruckausgleich - Air Pressurization - AirComprimeDisponible - 空気加圧 - 공기 가압 - - - Angabe, ob der Raum einen Luftdruckausgleich erfordert (WAHR) oder nicht (FALSCH). - - Indique si l'espace nécessite d'être alimenté en air comprimé (VRAI) ou non (FAUX) - 空間が加圧することを要求されているかどうかを示すブーリアン値。(TRUE)加圧、(FALSE)非加圧。 - 공간이 가압 요구되고 있는지 여부를 나타내는 부울 값입니다. (TRUE) 가압 (FALSE) 비 가압. - - - - - Property Set Definition in German - - Définition de l'IAI : propriétés relatives à la protection incendie, qui s'appliquent à toutes les occurrences des classes IfcSpace et IfcZone. - IfcSpaceまたはIfcZoneの存在に適用される、空間の火災防御(防火)に関連したプロパティ。 - - - - - Pset_SpaceHeaterPHistory - Space heater performance history common attributes. - - - IfcSpaceHeater - - IfcSpaceHeater - - - FractionRadiantHeatTransfer - Fraction of the total heat transfer rate as the radiant heat transfer. - - - - - Fraction Radiant Heat Transfer - 放射熱移動フラクション - - - - 総合熱移動の内放射熱移動とみなされる部分 - - - - FractionConvectiveHeatTransfer - Fraction of the total heat transfer rate as the convective heat transfer. - - - - - Fraction Convective Heat Transfer - 対流熱移動フラクション - - - - 総合熱移動の内対流射熱移動とみなされる部分 - - - - Effectiveness - Ratio of the real heat transfer rate to the maximum possible heat transfer rate. - - - - - Effectiveness - 効率 - - - - 最大可能熱移動量に対する実熱移動量の割合 - - - - SurfaceTemperature - Average surface temperature of the component. - - - - - Surface Temperature - 表面温度 - - - - 構成要素の平均表面温度 - - - - SpaceAirTemperature - Dry bulb temperature in the space. - - - - - Space Air Temperature - 室温 - - - - 部屋の乾球温度 - - - - SpaceMeanRadiantTemperature - Mean radiant temperature in the space. - - - - - Space Mean Radiant Temperature - 室平均放射温度 - - - - 部屋の平均放射温度 - - - - AuxiliaryEnergySourceConsumption - Auxiliary energy source consumption. - - - - - Auxiliary Energy Source Consumption - 補助エネルギー源使用量 - - - - 補助エネルギー源使用量 - - - - UACurve - UA curve as function of ambient temperature and surface temperature; UA = f (Tambient, Tsurface) - - - - - UACurve - UA曲線 - - - - 周囲温度と表面温度との関数のUA曲線 - - - - OutputCapacityCurve - Partial output capacity curve (as a function of water temperature); Q = f (Twater). - - - - - Output Capacity Curve - 部分的アウトプット能力曲線 - - - - 部分的アウトプット能力曲線(水温の関数として) - - - - AirResistanceCurve - Air resistance curve (w/ fan only); Pressure = f ( flow rate). - - - - - Air Resistance Curve - 空気抵抗曲線 - - - - 空気抵抗曲線(送風機のみ)圧力=f(流速) - - - - Exponent - Characteristic exponent, slope of log(heat output) vs log (surface temperature minus environmental temperature). - - - - - Exponent - 指数 - - - - 特徴的な指数、log(熱出力)log(表面温度マイナス周囲温度)の勾配 - - - - HeatOutputRate - Overall heat transfer rate. - - - - - Heat Output Rate - 熱出力比 - - - - 総合熱移動率 - - - - - - 暖房用ヒーター性能履歴共通属性 - - - - - Pset_SpaceHeaterTypeCommon - Space heater type common attributes. -SoundLevel attribute deleted in IFC2x2 Pset Addendum: Use IfcSoundProperties instead. Properties added in IFC4. - - - IfcSpaceHeater - - IfcSpaceHeater - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - PlacementType - Indicates how the space heater is designed to be placed. - - - - BASEBOARD - TOWELWARMER - SUSPENDED - WALL - OTHER - NOTKNOWN - UNSET - - - - BASEBOARD - - Baseboard - - - - - - - TOWELWARMER - - Towel Warmer - - - - - - - SUSPENDED - - Suspended - - - - - - - WALL - - Wall - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Placement Type - プレースメントタイプ - - - - 暖房用ヒーターが置かれるようにどう設計されているかを示します。 - - - - TemperatureClassification - Enumeration defining the temperature classification of the space heater surface temperature. -low temperature - surface temperature is relatively low, usually heated by hot water or electricity. -high temperature - surface temperature is relatively high, usually heated by gas or steam. - - - - LOWTEMPERATURE - HIGHTEMPERATURE - OTHER - NOTKNOWN - UNSET - - - - LOWTEMPERATURE - - Low Temperature - - - - - - - HIGHTEMPERATURE - - High Temperature - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Temperature Classification - 温度分類 - - - - 暖房用ヒーター表面温度の温度分類を定義。低温タイプ-お湯またh電気によるものの表面温度は相対的に低い。高温タイプ-ガスまたは蒸気によって熱するタイプの表面温度は比較的高い。 - - - - HeatTransferDimension - Indicates how heat is transmitted according to the shape of the space heater. - - - - POINT - PATH - SURFACE - OTHER - NOTKNOWN - UNSET - - - - POINT - - Point - - - - - - - PATH - - Path - - - - - - - SURFACE - - Surface - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Heat Transfer Dimension - 熱伝達値 - - - - 室内暖房機の形に従って熱がどう伝えられるかを示します。 - - - - HeatTransferMedium - Enumeration defining the heat transfer medium if applicable. - - - - WATER - STEAM - OTHER - NOTKNOWN - UNSET - - - - WATER - - Water - - - - - - - STEAM - - Steam - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Heat Transfer Medium - 熱媒体 - - - - 列挙体は熱媒体を必要に応じて定義します。 - - - - EnergySource - Enumeration defining the energy source or fuel combusted to generate heat if applicable. Note: hydronic heaters shall use UNSET; dual-use hydronic/electric heaters shall use ELECTRICITY. - - - - COAL - COAL_PULVERIZED - ELECTRICITY - GAS - OIL - PROPANE - WOOD - WOOD_CHIP - WOOD_PELLET - WOOD_PULVERIZED - OTHER - NOTKNOWN - UNSET - - - - COAL - - Coal - - - - - - - COAL_PULVERIZED - - Coal Pulverized - - - - - - - ELECTRICITY - - Electricity - - - - - - - GAS - - Gas - - - - - - - OIL - - Oil - - - - - - - PROPANE - - Propane - - - - - - - WOOD - - Wood - - - - - - - WOOD_CHIP - - Wood Chip - - - - - - - WOOD_PELLET - - Wood Pellet - - - - - - - WOOD_PULVERIZED - - Wood Pulverized - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Energy Source - エネルギー源 - - - - 列挙型はエネルギー源や燃料該当する場合は熱を発生させる燃焼定義します。注:温水循環式のヒーターはunsetを使用してはならない。デュアル使用すると、温水循環式の電気ヒーターは電気を使用しなければならない。 - - - - BodyMass - Overall body mass of the heater. - - - - - - - Body Mass - 本体重量 - - - - ヒーターの全体的な質量 - - - - ThermalMassHeatCapacity - Product of component mass and specific heat. - - - - - - - Thermal Mass Heat Capacity - 保有熱容量 - - - - 質量あたりの熱容量 - - - - OutputCapacity - Total nominal heat output as listed by the manufacturer. - - - - - - - Output Capacity - 出力 - - - - メーカーによりリストアップされた公称熱出力 - - - - ThermalEfficiency - Overall Thermal Efficiency is defined as gross energy output of the heat transfer device divided by the energy input. - - - - - - - Thermal Efficiency - 熱効率 - - - - 熱効率:熱伝導装置の総エネルギー出力/エネルギー入力として総合的な熱効率は定義される。 - - - - NumberOfPanels - Number of panels. - - - - - - - Number Of Panels - パネルの数 - - - - パネルの数 - - - - NumberOfSections - Number of vertical sections, measured in the direction of flow. - - - - - - - Number Of Sections - セクションの数 - - - - 流れ方向で測定した垂直方向のセクションの数 - - - - - - 暖房用ヒーター共通属性                       SoundLevel属性はIFC2x2付録で削除された。: IfcSoundPropertiesを代わりに使う 特性はIFC4を加えました - - - - - Pset_SpaceHeaterTypeConvector - Space heater type convector attributes. - - - IfcSpaceHeater/CONVECTOR - - IfcSpaceHeater/CONVECTOR - - - ConvectorType - Indicates the type of convector, whether forced air (mechanically driven) or natural (gravity). - - - - FORCED - NATURAL - OTHER - NOTKNOWN - UNSET - - - - FORCED - - Forced - - - - - - - NATURAL - - Natural - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Convector Type - 対流タイプ - - - - 強制空気(機械的に運転される)か自然な(重力)であることにかかわらず対流式暖房器のタイプを示します。 - - - - - - 暖房用ヒーター対流式属性 - - - - - Pset_SpaceHeaterTypeRadiator - Space heater type radiator attributes. - - - IfcSpaceHeater/RADIATOR - - IfcSpaceHeater/RADIATOR - - - RadiatorType - Indicates the type of radiator. - - - - FINNEDTUBE - PANEL - SECTIONAL - TUBULAR - OTHER - NOTKNOWN - UNSET - - - - FINNEDTUBE - - Finned Tube - - - - - - - PANEL - - Panel - - - - - - - SECTIONAL - - Sectional - - - - - - - TUBULAR - - Tubular - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Radiator Type - ラジエータータイプ - - - - ラジエーターの種類 - - - - TubingLength - Water tube length inside the component. - - - - - - - Tubing Length - チューブの長さ - - - - 構成要素における水管の長さ - - - - WaterContent - Weight of water content within the heater. - - - - - - - Water Content - 水含量 - - - - ヒーター内部の水分の重み - - - - - - 暖房用ヒーターラジエーター属性 - - - - - Pset_SpaceLightingRequirements - Properties related to the lighting requirements that apply to the occurrences of IfcSpace or IfcZone. This includes the required artificial lighting, illuminance, etc. - - - IfcSpace - IfcSpatialZone - IfcZone - - IfcSpace, IfcSpatialZone, IfcZone - - - ArtificialLighting - Indication whether this space requires artificial lighting (as natural lighting would be not sufficient). (TRUE) indicates yes (FALSE) otherwise. - - - - - - - künstliche Beleuchtung - Artificial Lighting - EclairageArtificiel - 人工照明 - 인공 조명 - - - Angabe, ob dieser Raum eine künstliche Beleuchtung erfordert (WAHR) oder nicht (FALSCH) - - Indication si cette pièce a des besoins d'éclairage artificiel (dans la mesure où l'éclairage naturel ne serait pas suffisant). (VRAI) signifie oui, (FAUX) sinon. - 領域が人工照明を必要とするかどうかの表示(自然光が十分でないとして) (TRUE)の場合、必要。(FALSE)の場合、不必要。 - 이 공간이 인공 조명을 필요로하는지 여부 (자연 조명이 충분하지 않기 위하여)를 나타내는 부울 값입니다. (TRUE) 필요 (FALSE) 아니오 값. - - - - Illuminance - Required average illuminance value for this space. - - - - - - - Beleuchtungsstärke - Illuminance - EclairementAttendu - 照度 - 조도 - - - Geforderte durchschnittliche Beleuchtungsstärke in diesem Raum. - - Valeur de l'éclairement attendu pour la pièce. - 領域に対しての必要とされる照度の値の平均値。 - 이 공간을 위해 필요한 평균 조도 - - - - - Property Set Definition in German - - Définition de l'IAI : propriétés relatives aux exigences en matière d'éclairement, applicables à toutes les instances des classes IfcSpace et IfcZone. Comprend l'éclairage artificiel, le niveau d'éclairement,… - IfcSpaceまたはIfcZoneオブジェクトに適用される照明の条件に関するプロパティ。必要とされる人工照明及び照度などを含む。 - - - - - Pset_SpaceOccupancyRequirements - Properties concerning work activities occurring or expected to occur within one or a set of similar spatial structure elements. - - - IfcSpace - IfcSpatialZone - IfcZone - - IfcSpace, IfcSpatialZone, IfcZone - - - OccupancyType - Occupancy type for this object. It is defined according to the presiding national building code. - - - - - - - Nutzungsart - Occupancy Type - TypeOccupation - 用途 - - - Nutzungsart des Raums gemäß der gültigen Raumnutzungstabelle des Raumprogramms. - - Usage type de cet espace. Est défini selon le Code national en vigueur. - このオブジェクトの用途。統括する国の建築法規により定義される。 - - - - OccupancyNumber - Number of people required for the activity assigned to this space. - - - - - - - Belegung - Occupancy Number - NombreOccupants - 利用人数 - - - Durchschnittliche Anzahl der Personen für deren Aktivitäten der Raum vorgesehen ist. - - Nombre d'occupants concernés par l'activité dans cet espace. - この空間に割り当てられた活動を遂行するために必要な人数。 - - - - OccupancyNumberPeak - Maximal number of people required for the activity assigned to this space in peak time. - - - - - - - Maximale Belegung - Occupancy Number Peak - NombreOccupantsMax - 利用人数ピーク - - - Maximale Anzahl der Personen für deren Aktivitäten der Raum vorgesehen ist. - - Nombre maximum d'occupants simultanés concernés par l'activité dans cet espace à l'heure de pointe. - この空間に割り当てられた活動を遂行するために必要な最大人数。 - - - - OccupancyTimePerDay - The amount of time during the day that the activity is required within this space. - - - - - - - Belegungszeit pro Tag - Occupancy Time Per Day - DureeOccupationJour - 日毎利用時間 - - - Durchschnittliche Belegungszeit des Raums pro Tag. - - Durée journalière de l'activité dans cet espace - この空間での活動をするために必要な日中の時間。 - - - - AreaPerOccupant - Design occupancy loading for this type of usage assigned to this space. - - - - - - - Fläche pro Nutzer - Area Per Occupant - SurfaceParOccupant - 利用者毎面積 - - - Anteil der Raumfläche pro Benutzer für Nutzung des Raums. - - Taux de remplissage de l'espace pour l'usage type - この空間に割り当てられた用途に対する想定利用負荷。 - - - - MinimumHeadroom - Headroom required for the activity assigned to this space. - - - - - - - Lichte Höhe - Minimum Headroom - HauteurPassageMinimale - 最小頭上あき高 - - - Minumal geforderte lichte Höhe für diesen Raum. - - Hauteur de passage requise pour l'usage assigné à l'espace - この空間に割り当てられた用途に必要な頭上あき高。 - - - - IsOutlookDesirable - An indication of whether the outlook is desirable (set TRUE) or not (set FALSE) - - - - - - - Ausblick erwünscht - Is Outlook Desirable - VueExterieurSouhaitable - 眺望の善し悪し - - - Angabe, ob dieser Raum einen natürlichen Ausblick nach draussen gewähren soll (WAHR) oder dies nicht gefordert ist (FALSCH). - - Indique si la vue sur l'extérieur est souhaitable (VRAI) ou non (FAUX). - 外の眺望が望ましいかどうか。 - - - - - Property Set Definition in German - - Définition de l'IAI : propriétés relatives à l'usage attendu ou effectif d'un élément de structure spatial ou d'un ensemble d'éléments de struture spatiale similaires. - 一つの、あるいは複数の類似した空間構成要素で起きる、あるいは起こるであろう業務活動に関する属性。 - - - - - Pset_SpaceParking - Properties common to the definition of all occurrences of IfcSpace which have an attribute value for ObjectType = 'Parking'. NOTE: Modified in IFC 2x3, properties ParkingUse and ParkingUnits added. - - - IfcSpace/PARKING - - IfcSpace/PARKING - - - ParkingUse - Identifies the type of transporation for which the parking space is designed. Values are not predefined but might include car, compact car, motorcycle, bicycle, truck, bus etc. - - - - - - - Parking Use - AccessibleHandicape - 駐車場の用途 - - - - Identifie le type de véhicule pour lequel le parking a été conçu. Les valeurs possibles (voiture, bus, motos, vélos,…) ne sont pas prédéfinies. - どの車両種別の駐車場なのかを識別します。値はあらかじめ定められないが、自動車、小型車、オートバイ、自転車、トラック、バスなどを含んでいるかもしれません。 - - - - ParkingUnits - Indicates the number of transporation units of the type specified by the property ParkingUse that may be accommodated within the space. Generally, this value should default to 1 unit. However, where the parking space is for motorcycles or bicycles, provision may be made for more than one unit in the space. - - - - - - - Parking Units - TypeVehicule - 一区画当たりの駐車台数 - - - - Nombre d'unités du type de véhicule spécifié dans la propriété TypeVehicule que peut contenir l'espace alloué au parking. Généralement, la valeur par défaut est 1. Elle peut être supérieure pour les deux roues. - 車両種別ごとの駐車台数のユニットごとの指定台数。一般に、この値は1台/1ユニットになるべきです。しかしながら、オートバイまたは自転車向けである場合、数台/1ユニット以上なるかもしれません。 - - - - IsAisle - Indicates that this parking zone is for accessing the parking units, i.e. an aisle (TRUE) and not a parking unit itself (FALSE) - - - - - - - Is Aisle - NombreUnites - 通路か駐車スペースの判別 - - - - Indique si cette zone du parking, comme une allée, est réservée à l'accès (VRAI) ou non (FAUX). - 駐車場の通路部分(TRUE)か駐車部部分(FALSE)かを示すフラグ。 - - - - IsOneWay - Indicates whether the parking aisle is designed for oneway traffic (TRUE) or twoway traffic (FALSE). Should only be provided if the property IsAisle is set to TRUE. - - - - - - - Is One Way - Sens unique - 一方通行 - - - - Indique si cette allée du parking est prévue pour être à sens unique (VRAI) ou à double sens (FAUX). A fournir seulement si la propriété "Est un accès" est égale à VRAI. - 駐車場通路が一方通行(TRUE)か双方向(FALSE)かを示すフラグ。 - - - - - - Définition de l'IAI : propriétés communes à la définition des instances de la classe IfcSpace lorsque la valeur de l'attribut ObjetType est "Parking". Nota : les propriétés TypeVehicule et NombreUnites ont été introduites depuis la révision 2x3. - IfcObjectのObjectType属性の値が"Parking"の場合に設定される共通プロパティ情報。 - - - - - Pset_SpaceThermalDesign - Space or zone HVAC design requirements. HISTORY: New property set in IFC Release 1.0 (Pset_SpaceHvacInformation); renamed to Pset_SpaceThermalDesign and revised in IFC2x2. - - - IfcSpace - - IfcSpace - - - CoolingDesignAirflow - The air flowrate required during the peak cooling conditions. - - - - - - - Cooling Design Airflow - 冷房設計吸気量 - - - - ピーク時の冷房条件で要求される給気量。 - - - - HeatingDesignAirflow - The air flowrate required during the peak heating conditions, but could also be determined by minimum ventilation requirement or minimum air change requirements. - - - - - - - Heating Design Airflow - - - - - - - TotalSensibleHeatGain - The total sensible heat or energy gained by the space during the peak cooling conditions. - - - - - - - Total Sensible Heat Gain - 顕熱負荷の合計 - 현열 부하의 합계 - - - - ピーク時の冷房条件で取得した顕熱或いはエネルギー。 - 피크 냉방 조건에서 얻은 현열 또는 에너지. - - - - TotalHeatGain - The total amount of heat or energy gained by the space at the time of the space's peak cooling conditions. - - - - - - - Total Heat Gain - 熱取得の合計 - 연 인수 금액 - - - - ピーク時の室内最大冷房負荷時に取得した顕熱或いはエネルギー。 - 최대의 실내 최대 냉방 부하 취득한 현열 또는 에너지. - - - - TotalHeatLoss - The total amount of heat or energy lost by the space at the time of the space's peak heating conditions. - - - - - - - Total Heat Loss - 熱ロスの合計 - 열 손실 합계 - - - - ピーク時の室内最大暖房負荷時に取得・損失した熱或いはエネルギー。 - 최대의 실내 최대 난방 부하에 취득 · 손실 열 또는 에너지. - - - - CoolingDryBulb - Inside dry bulb temperature for cooling design. - - - - - - - Cooling Dry Bulb - 冷房設計温度 - 냉방 설계온도 - - - - 冷房設計における室内設計乾球温度。 - 냉방 설계의 실내 디자인 건구 온도 - - - - CoolingRelativeHumidity - Inside relative humidity for cooling design. - - - - - - - Cooling Relative Humidity - 冷房設計相対湿度 - 냉방 설계 상대습도 - - - - 冷房設計における室内設計相対湿度。 - 냉방 설계의 실내 디자인 상대 습도. - - - - HeatingDryBulb - Inside dry bulb temperature for heating design. - - - - - - - Heating Dry Bulb - 暖房設計温度 - 난방 설계온도 - - - - 暖房設計における室内設計乾球温度。 - 난방 설계의 실내 디자인 건구 온도 - - - - HeatingRelativeHumidity - Inside relative humidity for heating design. - - - - - - - Heating Relative Humidity - 暖房設計相対湿度 - 난방 설계 상대습도 - - - - 暖房設計における室内設計相対湿度。 - 난방 설계의 실내 디자인 상대 습도. - - - - VentilationAirFlowrate - Ventilation outside air requirement for the space. - - - - - - - Ventilation Air Flowrate - 外気量 - 외기량 - - - - 必要外気量。 - 필요 외기 량. - - - - ExhaustAirFlowrate - Design exhaust air flow rate for the space. - - - - - - - Exhaust Air Flowrate - 排気量 - 배기량 - - - - 設計排気量。 - 설계 배기량. - - - - CeilingRAPlenum - Ceiling plenum used for return air or not. TRUE = Yes, FALSE = No. - - - - - - - Ceiling RAPlenum - 天井裏還気 - 천장환원주의 - - - - 天井裏還気(リタンあり・なし) TRUE=あり、FALSE=なし。 - 천장 환 기 (리탄있어 · 없음) TRUE = 있고 FALSE = 없음. - - - - BoundaryAreaHeatLoss - Heat loss per unit area for the boundary object. This is a design input value for use in the absence of calculated load data. - - - - - - - Boundary Area Heat Loss - 周辺関連設備の熱ロス - 주변 관련 설비의 열 손실 - - - - 単位面積ありた周辺関連設備の熱ロス。空調負荷計算値以外の設計設定値。 - 단위 면적이 주변 관련 설비의 열 손실. 공조 부하 계산 이외의 디자인 설정. - - - - - - 室内或いはゾーンの空調設計要求。履歴:IFC1.0の新PropertySet(Pset_SpaceHvacInformation)、:IFC2x2にPset_SpaceThermalDesignと再定義された。 - - - - - Pset_SpaceThermalLoad - The space thermal load defines all thermal losses and gains occurring within a space or zone. The thermal load source attribute defines an enumeration of possible sources of the thermal load. The maximum, minimum, time series and app - - - IfcSpace - - IfcSpace - - - People - Heat gains and losses from people. - - - - - - - People - 人員 - 인원 - - - - 人員からの熱取得。 - 사람의 열 - - - - Lighting - Lighting loads. - - - - - - - Lighting - 照明 - 조명 - - - - 照明負荷。 - 조명 부하 - - - - EquipmentSensible - Heat gains and losses from equipment. - - - - - - - Equipment Sensible - 事務機器の顕熱 - 사무기기의 현열 - - - - 事務機器からの熱取得と熱ロス。 - 사무기기에서 열 취득 및 손실 - - - - VentilationIndoorAir - Ventilation loads from indoor air. - - - - - - - Ventilation Indoor Air - 室内の換気量 - 실내 환기량 - - - - 室内の換気による熱負荷。 - 실내 환기에 의한 열 부하 - - - - VentilationOutdoorAir - Ventilation loads from outdoor air. - - - - - - - Ventilation Outdoor Air - 外気量 - 외기량 - - - - 外気による熱負荷。 - 외기에한 열부하 - - - - RecirculatedAir - Loads from recirculated air. - - - - - - - Recirculated Air - 循環空気 - 순환공기 - - - - 循環空気による熱負荷。 - 순환공기에 의한 열부하 - - - - ExhaustAir - Loads from exhaust air. - - - - - - - Exhaust Air - 排気 - 배기 - - - - 排気による熱負荷。 - 배기에 의한 열부하 - - - - AirExchangeRate - Loads from the air exchange rate. - - - - - - - Air Exchange Rate - 換気回数 - 환기회수 - - - - 換気による熱負荷。 - 환기에 의한 열부하 - - - - DryBulbTemperature - Loads from the dry bulb temperature. - - - - - - - Dry Bulb Temperature - 乾球温度 - 건구온도 - - - - 乾球温度による熱負荷。 - 건구온도에의한 열부하 - - - - RelativeHumidity - Loads from the relative humidity. - - - - - - - Relative Humidity - 相対湿度 - 상대습도 - - - - 相対湿度による熱負荷。 - 상대습도에 의한 열부하 - - - - InfiltrationSensible - Heat gains and losses from infiltration. - - - - - - - Infiltration Sensible - すき間風の顕熱 - 열취득 및 손실 - - - - すき間風からの熱負荷と熱ロス。 - 열 부하및 열손실 - - - - TotalSensibleLoad - Total energy added or removed from air that affects its temperature. If a value is less than zero (negative), then the thermal load is lost from the space. If a value is greater than zero (positive), then the thermal load is a gain to the space. - - - - - - - Total Sensible Load - 顕熱負荷の合計 - 현열부하의 합계 - - - - 空気温度を上昇・下降させる取得・損失の熱量の合計。ゼロより小さい(-)場合、室内が熱損失となる。ゼロより大きい(+)場合、室内が熱取得となる。 - 공기 온도를 상승 · 하강하는 취득 · 손실 열량의 총. 제로보다 작은 (-) 경우 실내가 열 손실이된다. 제로보다 큰 (+) 경우 실내가 열을 검색된다. - - - - TotalLatentLoad - Total energy added or removed from air that affects its humidity or concentration of water vapor. If a value is less than zero (negative), then the thermal load is lost from the space. If a value is greater than zero (positive), then the thermal load is a gain to the space. - - - - - - - Total Latent Load - 潜熱負荷の合計 - 잠열부하의 합계 - - - - 空気湿度(水蒸気量)を上昇・下降させる取得・損失の熱量の合計。ゼロより小さい(-)場合、室内の水蒸気が減少となる。ゼロより大きい(+)場合、室内の水蒸気が増大となる。 - 습도 (수증기량)을 상승 · 하강하는 취득 · 손실 열량의 총. 제로보다 작은 (-) 경우 실내의 수증기가 감소된다. 제로보다 큰 (+) 경우 실내의 수증기가 증가된다. - - - - TotalRadiantLoad - Total electromagnetic energy added or removed by emission or absorption. If a value is less than zero (negative), then the thermal load is lost from the space. If a value is greater than zero (positive), then the thermal load is a gain to the space. - - - - - - - Total Radiant Load - 放射熱負荷の合計 - 복사열로드 합계 - - - - 放射や吸収による放射エネルギーの増加、或いは減少の合計。ゼロより小さい(-)場合、放射エネルギーが減少となる。ゼロより大きい(+)場合、放射エネルギーが増大となる。 - 방사선 및 흡수에 의한 방사 에너지 증가 또는 감소의 총. 제로보다 작은 (-) 경우 방사 에너지가 감소된다. 제로보다 큰 (+) 경우 방사 에너지가 증대된다. - - - - - - 室内熱負荷は居室或いはゾーンの全ての熱ロスと熱取得を定義する。熱取得の要因属性は熱負荷の各因子を示している。最大値、最小値、時間変動など。 - - - - - Pset_SpaceThermalLoadPHistory - The space thermal load IfcSpaceThermalLoadProperties defines actual measured thermal losses and gains occurring within a space or zone. The thermal load source attribute defines an enumeration of possible sources of the thermal load. - - - IfcSpace - - IfcSpace - - - People - Heat gains and losses from people. - - - - - People - 人員 - 인원 - - - - 人員からの熱取得。 - 사람의 열 - - - - Lighting - Lighting loads. - - - - - Lighting - 照明 - 조명 - - - - 照明負荷。 - 조명 부하 - - - - EquipmentSensible - Heat gains and losses from equipment. - - - - - Equipment Sensible - 事務機器の顕熱 - 사무기기의 현열 - - - - 事務機器からの熱取得と熱ロス。 - 사무기기에서 열 취득 및 손실 - - - - VentilationIndoorAir - Ventilation loads from indoor air. - - - - - Ventilation Indoor Air - 室内の換気量 - 실내 환기량 - - - - 室内の換気による熱負荷。 - 실내 환기에 의한 열 부하 - - - - VentilationOutdoorAir - Ventilation loads from outdoor air. - - - - - Ventilation Outdoor Air - 外気量 - 외기량 - - - - 外気による熱負荷。 - 외기에한 열부하 - - - - RecirculatedAir - Loads from recirculated air. - - - - - Recirculated Air - 循環空気 - 순환공기 - - - - 循環空気による熱負荷。 - 순환공기에 의한 열부하 - - - - ExhaustAir - Loads from exhaust air. - - - - - Exhaust Air - 排気 - 배기 - - - - 排気による熱負荷。 - 배기에 의한 열부하 - - - - AirExchangeRate - Loads from the air exchange rate. - - - - - Air Exchange Rate - 換気回数 - 환기회수 - - - - 換気による熱負荷。 - 환기에 의한 열부하 - - - - DryBulbTemperature - Loads from the dry bulb temperature. - - - - - Dry Bulb Temperature - 乾球温度 - 건구온도 - - - - 乾球温度による熱負荷。 - 건구온도에의한 열부하 - - - - RelativeHumidity - Loads from the relative humidity. - - - - - Relative Humidity - 相対湿度 - 상대습도 - - - - 相対湿度による熱負荷。 - 상대습도에 의한 열부하 - - - - InfiltrationSensible - Heat gains and losses from infiltration. - - - - - Infiltration Sensible - すき間風の顕熱 - 열취득 및 손실 - - - - すき間風からの熱負荷と熱ロス。 - 열 부하및 열손실 - - - - TotalSensibleLoad - Total energy added or removed from air that affects its temperature. If a value is less than zero (negative), then the thermal load is lost from the space. If a value is greater than zero (positive), then the thermal load is a gain to the space. - - - - - Total Sensible Load - 顕熱負荷の合計 - 현열부하의 합계 - - - - 空気温度を上昇・下降させる取得・損失の熱量の合計。ゼロより小さい(-)場合、室内が熱損失となる。ゼロより大きい(+)場合、室内が熱取得となる。 - 공기 온도를 상승 · 하강하는 취득 · 손실 열량의 총. 제로보다 작은 (-) 경우 실내가 열 손실이된다. 제로보다 큰 (+) 경우 실내가 열을 검색된다. - - - - TotalLatentLoad - Total energy added or removed from air that affects its humidity or concentration of water vapor. If a value is less than zero (negative), then the thermal load is lost from the space. If a value is greater than zero (positive), then the thermal load is a gain to the space. - - - - - Total Latent Load - 潜熱負荷の合計 - 잠열부하의 합계 - - - - 空気湿度(水蒸気量)を上昇・下降させる取得・損失の熱量の合計。ゼロより小さい(-)場合、室内の水蒸気が減少となる。ゼロより大きい(+)場合、室内の水蒸気が増大となる。 - 습도 (수증기량)을 상승 · 하강하는 취득 · 손실 열량의 총. 제로보다 작은 (-) 경우 실내의 수증기가 감소된다. 제로보다 큰 (+) 경우 실내의 수증기가 증가된다. - - - - TotalRadiantLoad - Total electromagnetic energy added or removed by emission or absorption. If a value is less than zero (negative), then the thermal load is lost from the space. If a value is greater than zero (positive), then the thermal load is a gain to the space. - - - - - Total Radiant Load - 放射熱負荷の合計 - 복사열로드 합계 - - - - 放射や吸収による放射エネルギーの増加、或いは減少の合計。ゼロより小さい(-)場合、放射エネルギーが減少となる。ゼロより大きい(+)場合、放射エネルギーが増大となる。 - 방사선 및 흡수에 의한 방사 에너지 증가 또는 감소의 총. 제로보다 작은 (-) 경우 방사 에너지가 감소된다. 제로보다 큰 (+) 경우 방사 에너지가 증대된다. - - - - - - 室内熱負荷属性IfcSpaceThermalLoadProperties はある居室或いはゾーンの実際の熱ロスと熱取得を定義する。熱取得の要因属性は熱負荷の各因子を示している。 - - - - - Pset_SpaceThermalPHistory - Thermal and air flow conditions of a space or zone. HISTORY: New property set in IFC 2x2. - - - IfcSpace - - IfcSpace - - - CoolingAirFlowRate - Cooling air flow rate in the space. - - - - - Cooling Air Flow Rate - 冷却空気流量 - - - - 室内の冷却空気流量 - - - - HeatingAirFlowRate - Heating air flow rate in the space. - - - - - Heating Air Flow Rate - 暖房空気流量 - - - - 室内の暖房空気流量 - - - - VentilationAirFlowRate - Ventilation air flow rate in the space. - - - - - Ventilation Air Flow Rate - 換気気流速度 - - - - 室内の換気空気流量 - - - - ExhaustAirFlowRate - Exhaust air flow rate in the space. - - - - - Exhaust Air Flow Rate - 排気空気流量 - - - - 室内の排気流量 - - - - SpaceTemperature - Temperature of the space. - - - - - Space Temperature - 室内温度 - - - - 室内の温度 - - - - SpaceRelativeHumidity - The relative humidity of the space. - - - - - Space Relative Humidity - 室内相対湿度 - - - - 室内の相対湿度 - - - - - - スペースまたはゾーンの熱空気流条件   履歴:IFC2x2で設定された新しいプロパティ - - - - - Pset_SpaceThermalRequirements - Properties related to the comfort requirements for thermal and other thermal related performance properties of spaces that apply to the occurrences of IfcSpace, IfcSpatialZone or IfcZone. It can also be used to capture requirements for IfcSpaceType's. This includes the required design temperature, humidity, ventilation, and air conditioning. - - - IfcSpace - IfcSpatialZone - IfcZone - - IfcSpace, IfcSpatialZone, IfcZone - - - SpaceTemperature - Temperature of the space or zone, that is required from user/designer view point. If no summer or winter space temperature requirements are given, it applies all year, otherwise for the intermediate period. Provide this value, if no temperatur range (Min-Max) is available. - - - - - - - Raumtemperatur - Space Temperature - Température - 最高室内温度 - - - Geforderte Raumtemperatur, die nicht überschritten werden darf, gilt als ganzjährige Anforderung unabhängig vom Heizungs-, oder Kühlungsfall. Diese wird angegeben, wenn kein geforderter Temperaturbereich (Min - Max) vorhanden ist. - - Température de l'espace ou de la zone spécifiée par l'usager ou le concepteur. Si les valeurs pour l'été et l'hiver ne sont pas connues, cette température s'applique toute l'année, sinon seulement en demi-saison. A fournir si les valeurs maximale et minimale ne sont pas connues. - 空間またはゾーンの温度。利用者/設計者の視点から要求される。もし夏季または冬季の室内温度要求が与えられないと、それは通年に、さもなければ中間季に適用される。 - - - - SpaceTemperatureMax - Maximal temperature of the space or zone, that is required from user/designer view point. If no summer or winter space temperature requirements are given, it applies all year, otherwise for the intermediate period. - - - - - - - Raumtemperatur Maximal - Space Temperature Max - Température maximale - 最高室内温度 - 최고 온도 - - - Maximale geforderte Raumtemperatur, die nicht überschritten werden darf, gilt als ganzjährige Anforderung unabhängig vom Heizungs-, oder Kühlungsfall. - - Température maximale de l'espace ou de la zone spécifiée par l'usager ou le concepteur. Si les valeurs pour l'été et l'hiver ne sont pas connues, cette température s'applique toute l'année, sinon seulement en demi-saison. - 空間またはゾーンの最高温度。利用者/設計者の視点から要求される。もし夏季または冬季の室内温度要求が与えられないと、それは通年に、さもなければ中間季に適用される。 - 공간 또는 영역의 최고 온도. 이용자 / 설계자의 관점에서 요구된다. 만약 여름철 또는 겨울철 실내 온도 요구가 주어지지 않는, 그것은 연중에, 그렇지 않으면 중간 분기별로 적용된다. - - - - SpaceTemperatureMin - Minimal temperature of the space or zone, that is required from user/designer view point. If no summer or winter space temperature requirements are given, it applies all year, otherwise for the intermediate period. - - - - - - - Raumtemperatur Minimal - Space Temperature Min - Température minimale - 最低室内温度 - 최저온도 - - - Minimale geforderte Raumtemperatur, die nicht unterschritten werden darf, gilt als ganzjährige Anforderung unabhängig vom Heizungs-, oder Kühlungsfall. - - Température minimale de l'espace ou de la zone spécifiée par l'usager ou le concepteur. Si les valeurs pour l'été et l'hiver ne sont pas connues, cette température s'applique toute l'année, sinon seulement en demi-saison. - 空間またはゾーンの最低温度。利用者/設計者の視点から要求される。もし夏季または冬季の室内温度要求が与えられないと、それは通年に、さもなければ中間季に適用される。 - 공간 또는 영역의 최저 온도 이용자 / 설계자의 관점에서 요구된다. 만약 여름철 또는 겨울철 실내 온도 요구가 주어지지 않는, 그것은 연중에, 그렇지 않으면 중간 분기별로 적용된다. - - - - SpaceTemperatureSummerMax - Maximal temperature of the space or zone for the hot (summer) period, that is required from user/designer view point and provided as requirement for cooling. - - - - - - - Raumtemperatur Kühlung Maximal - Space Temperature Summer Max - Température maximale en été - 夏季最高室内温度 - 여름최고온도 - - - Maximal geforderte Raumtemperatur aus dem Raumprogramm für die Auslegung der Raumkühlung. - - Température maximale de l'espace ou de la zone en été. Spécifiée par l'usager ou le concepteur et utilisée comme consigne pour le refroidissement. - 空間またはゾーンの暑熱季(夏季)の最高温度。利用者/設計者の視点から要求される。 - 공간이나 영역 혹서 계절 (여름)의 최고 온도 이용자 / 설계자의 관점에서 요구된다. - - - - SpaceTemperatureSummerMin - Minimal temperature of the space or zone for the hot (summer) period, that is required from user/designer view point and provided as requirement for cooling. - - - - - - - Raumtemperatur Kühlung Minimal - Space Temperature Summer Min - Température minimale en été - 夏季最低室内温度 - 여름최저온도 - - - Minimal geforderte Raumtemperatur aus dem Raumprogramm für die Auslegung der Raumkühlung. - - Température minimale de l'espace ou de la zone en été. Spécifiée par l'usager ou le concepteur et utilisée comme consigne pour le refroidissement. - 空間またはゾーンの暑熱季(夏季)の最低温度。利用者/設計者の視点から要求される。 - 공간이나 영역 혹서 계절 (여름)의 최저 온도. 이용자 / 설계자의 관점에서 요구된다. - - - - SpaceTemperatureWinterMax - Maximal temperature of the space or zone for the cold (winter) period, that is required from user/designer view point and provided as requirement for heating. - - - - - - - Raumtemperatur Heizung Maximal - Space Temperature Winter Max - Température maximale en hiver - 冬季最高室内温度 - 겨울최고온도 - - - Maximal geforderte Raumtemperatur für die Auslegung der Raumheizung. - - Température maximale de l'espace ou de la zone en hiver. Spécifiée par l'usager ou le concepteur et utilisée comme consigne pour le chauffage. - 空間またはゾーンの寒冷季(冬季)の最高温度。利用者/設計者の視点から要求される。 - 공간이나 영역 추운 계절 (겨울) 최고 온도 이용자 / 설계자의 관점에서 요구된다. - - - - SpaceTemperatureWinterMin - Minimal temperature of the space or zone for the cold (winter) period, that is required from user/designer view point and provided as requirement for heating. - - - - - - - Raumtemperatur Heizung Minimal - Space Temperature Winter Min - Température minimale en hiver - 冬季最低室内温度 - 겨울철 최저온도 - - - Minimal geforderte Raumtemperatur für die Auslegung der Raumheizung. - - Température minimale de l'espace ou de la zone en hiver. Spécifiée par l'usager ou le concepteur et utilisée comme consigne pour le chauffage. - 空間またはゾーンの寒冷季(冬季)の最低温度。利用者/設計者の視点から要求される。 - 공간이나 영역 추운 계절 (겨울)의 최저 온도. 이용자 / 설계자의 관점에서 요구된다. - - - - SpaceHumidity - Humidity of the space or zone that is required from user/designer view point. If no summer or winter space humidity requirements are given, it applies all year, otherwise for the intermediate period. Provide this property, if no humidity range (Min-Max) is available. - - - - - - - Luftfeuchtigkeit - Space Humidity - Humidité relative - 室内湿度 - - - Geforderte Luftfeuchtigkeit für diesen Raum, gilt als ganzjährige Anforderung unabhängig vom Heizungs-, oder Kühlungsfall. Es wird angegeben, wenn kein geforderter Luftfeuchtigkeitsbereich (Min - Max) vorhanden ist. - - Humidité relative de l'espace ou de la zone spécifiée par l'usager ou le concepteur. Si les valeurs pour l'été et l'hiver ne sont pas connues, cette température s'applique toute l'année, sinon seulement en demi-saison. A fournir si les valeurs maximale et minimale ne sont pas connues. - 空間またはゾーンの湿度。利用者/設計者の視点から要求される。もし夏季または冬季の室内湿度要求が与えられないと、それは通年に、さもなければ中間季に適用される。 - - - - SpaceHumidityMax - Maximal permitted humidity of the space or zone that is required from user/designer view point. If no summer or winter space humidity requirements are given, it applies all year, otherwise for the intermediate period. - - - - - - - Luftfeuchtigkeit Maximal - Space Humidity Max - Humidité relative maximale - 最高室内湿度 - 실내습도 - - - Maximal geforderte Luftfeuchtigkeit für diesen Raum, gilt als ganzjährige Anforderung unabhängig vom Heizungs-, oder Kühlungsfall. - - Humidité relative maximale de l'espace ou de la zone spécifiée par l'usager ou le concepteur. Si les valeurs pour l'été et l'hiver ne sont pas connues, cette température s'applique toute l'année, sinon seulement en demi-saison. - 空間またはゾーンの最高湿度。利用者/設計者の視点から要求される。もし夏季または冬季の室内湿度要求が与えられないと、それは通年に、さもなければ中間季に適用される。 - 공간 또는 영역의 습도. 이용자 / 설계자의 관점에서 요구된다. 만약 여름철 또는 겨울철 실내 습도 요구가 주어지지 않는, 그것은 연중에, 그렇지 않으면 중간 분기별로 적용된다. - - - - SpaceHumidityMin - Minimal permitted humidity of the space or zone that is required from user/designer view point. If no summer or winter space humidity requirements are given, it applies all year, otherwise for the intermediate period. - - - - - - - Luftfeuchtigkeit Minimal - Space Humidity Min - Humidité relative minimale - 最低室内湿度 - - - Minimal geforderte Luftfeuchtigkeit für diesen Raum, gilt als ganzjährige Anforderung unabhängig vom Heizungs-, oder Kühlungsfall. - - Humidité relative minimale de l'espace ou de la zone spécifiée par l'usager ou le concepteur. Si les valeurs pour l'été et l'hiver ne sont pas connues, cette température s'applique toute l'année, sinon seulement en demi-saison. - 空間またはゾーンの最低湿度。利用者/設計者の視点から要求される。もし夏季または冬季の室内湿度要求が与えられないと、それは通年に、さもなければ中間季に適用される。 - - - - SpaceHumiditySummer - Humidity of the space or zone for the hot (summer) period, that is required from user/designer view point and provided as requirement for cooling. - - - - - - - Luftfeuchtigkeit Kühlung - Space Humidity Summer - Humidité relative maximale en été - 夏季室内湿度 - 여름철실내 습도 - - - Geforderte Luftfeuchtigkeit für diesen Raum für die Auslegung der Kühlung. - - Humidité relative maximale de l'espace ou de la zone en été. Spécifiée par l'usager ou le concepteur et utilisée comme consigne pour le refroidissement. - 空間またはゾーンの暑熱季(夏季)の室内湿度。利用者/設計者の視点から要求される。 - 공간이나 영역 혹서 계절 (여름) 실내 습도. 이용자 / 설계자의 관점에서 요구된다. - - - - SpaceHumidityWinter - Humidity of the space or zone for the cold (winter) period that is required from user/designer view point and provided as requirement for heating. - - - - - - - Luftfeuchtigkeit Heizung - Space Humidity Winter - Humidité relative minimale en été - 冬季室内湿度 - 겨울철실내 습도 - - - Geforderte Luftfeuchtigkeit für diesen Raum für die Auslegung der Heizung. - - Humidité relative minimale de l'espace ou de la zone en été. Spécifiée par l'usager ou le concepteur et utilisée comme consigne pour le refroidissement. - 空間またはゾーンの寒冷季(冬季)の室内湿度。利用者/設計者の視点から要求される。 - 공간이나 영역 추운 계절 (동절기) 실내 습도. 이용자 / 설계자의 관점에서 요구된다. - - - - DiscontinuedHeating - Indication whether discontinued heating is required/desirable from user/designer view point. (TRUE) if yes, (FALSE) otherwise. - - - - - - - Diskontinuierliche Heizung - Discontinued Heating - Chauffage intermittent - 不連続暖房 - 불연속 난방 - - - Anfoderung, ob der Raum durch eine diskontinuierliche Heizung versorgt werden soll (WAHR) oder nicht (FALSCH). - - Indique si un chauffage intermittent est requis ou souhaité par l'usager ou le concepteur (VRAI) ou non (FAUX). - 不連続暖房が利用者/設計者の視点から要求/要望されるかどうかを示すブーリアン値。(TRUE)要、(FALSE)不要。 - 불연속 난방이 이용자 / 설계자의 관점에서 요청 / 요구되는지 여부를 나타내는 부울 값입니다. (TRUE) 필요 (FALSE) 불필요. - - - - NaturalVentilation - Indication whether the space is required to have natural ventilation (TRUE) or mechanical ventilation (FALSE). - - - - - - - Natürliche Lüftung - Natural Ventilation - Ventilation naturelle - 自然換気 - 자연환기 - - - Anforderung, ob der Raum eine natürliche Lüftung haben soll (WAHR), oder eine künstliche Lüftung (Falsch). - - Indique si la ventilation de l'espace doit être naturelle (VRAI) ou mécanique (FAUX). - 空間が自然換気を持つか機械換気を持つかを示すブーリアン値。(TRUE)有、(FALSE)なし。 - 공간이 자연 환기가 있는지 환기있는 여부를 나타내는 값 - - - - NaturalVentilationRate - Indication of the requirement of a particular natural air ventilation rate, given in air changes per hour. - - - - - - - Natürliche Luftwechselzahl - Natural Ventilation Rate - Taux ventilation naturelle - 自然換気率 - 자연환기 비율 - - - Geforderte Luftwechselzahl (in Wechsel per Stunde) im Fall der natürlichen Lüftung. - - Taux de ventilation naturelle exprimé en volumes par heure. - 特定の自然換気率の要求指標。1時間あたりの換気回数で与えられる。 - 특정 자연 환기 율의 요구 지표. 시간 당 환기 회수로 주어진다. - - - - MechanicalVentilationRate - Indication of the requirement of a particular mechanical air ventilation rate, given in air changes per hour. - - - - - - - Künstliche Luftwechselzahl - Mechanical Ventilation Rate - Taux ventilation mécanique - 機械換気率 - 기계환기 비율 - - - Geforderte Luftwechselzahl (in Wechsel per Stunde) im Fall der künstlichen Lüftung. - - Spécification du taux de ventilation mécanique exprimé en volumes par heure. - 特定の機械換気率の要求指標。1時間あたりの換気回数で与えられる。 - 특정 기계 환기 비율 요구 지표. 시간 당 환기 회수로 주어진다. - - - - AirConditioning - Indication whether this space requires air conditioning provided (TRUE) or not (FALSE). - - - - - - - Klimaanlage - Air Conditioning - Conditionnement d'air - 空調 - 공조 - - - Anforderung, ob der Raum mit einer Klimaanlage ausgestattet werden soll (WAHR), oder nicht (Falsch). - - Indique si l'espace requiert un conditionnement d'air (VRAI) ou non (FAUX). - この空間が空調を要求するかどうかを示すブーリアン値。(TRUE)要、(FALSE)不要。 - 이 공간이 공조를 요청할지 여부를 나타내는 부울 값입니다. (TRUE) 필요 (FALSE) 불필요. - - - - AirConditioningCentral - Indication whether the space requires a central air conditioning provided (TRUE) or not (FALSE). -It should only be given, if the property "AirConditioning" is set to TRUE. - - - - - - - Klimaanlage zentral - Air Conditioning Central - Conditionnement d'air centralisé - 中央式空調 - 중앙식 에어컨 - - - Anforderung, ob die Klimaanlage zentral gesteuert werden soll (WAHR), oder nicht (FALSCH). Soll nur angegeben werden, wenn die Eigenschaft "Klimaanlage" mit WAHR gegeben ist. - - Indique si l'espace requiert un conditionnement d'air centralisé (VRAI) ou non (FAUX). A fournir si la propriété "Conditionnement d'air" est VRAI. - 空間が中央式空調を要求するかどうかを示すブーリアン値。「空調」プロパティがTRUEに設定された場合のみ、与えられる。 - 공간이 중앙 식 공조를 요청할지 여부를 나타내는 부울 값입니다. "공조"속성이 TRUE로 설정된 경우에만 주어진다. - - - - - Property Set Definition in German - - 室の快適な温熱環境に関連する要求性能。IfcSpace, IfcZoneに適用される。 -温度、湿度、空調についての設計上の設定を含む。 - - - - - Pset_SpatialZoneCommon - - - - - Reference - - - - - - - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external zone at the outside of the building. - - - - - - - - - - - - - - Pset_StackTerminalTypeCommon - Common properties for stack terminals. - - - IfcStackTerminal - - IfcStackTerminal - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照記号 - - - - この規格(例、A-1)で特定のタイプの参照IDが割り当てられ、等級がなければ等級システムを使って割り当てられます。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - 排気筒への接続口の共通プロパティー。 - - - - - Pset_StairCommon - Properties common to the definition of all occurrences of IfcStair. - - - IfcStair - - IfcStair - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Bauteiltyp - Reference - Reference - 参照記号 - 参考号 - - - Bezeichnung zur Zusammenfassung gleichartiger Bauteile zu einem Bauteiltyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1") pour désigner un "type de construction". Une alternative au nom d'un objet type lorsque les objets types ne sont pas gérés par le logiciel. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 若未采用已知的分类系统,则该属性为该项目中该类型构件的参考编号(例如,类型A-1)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - NumberOfRiser - Total number of the risers included in the stair. - - - - - - - Anzahl der Steigungen - Number Of Riser - NombreContreMarches - 蹴上げ数 - 踢板数 - - - German-description-2 - - Nombre total de contremarches de l'escalier - 階段の蹴上げ数。 - 该楼梯所包含的踢板总数。 - - - - NumberOfTreads - Total number of treads included in the stair. - - - - - - - Anzahl der Auftritte - Number Of Treads - NombreGirons - 踏面数 - 踏板数 - - - German-description-3 - - Nombre total de girons de l'escalier - 階段の踏面数。 - 该楼梯所包含的踏板总数。 - - - - RiserHeight - Vertical distance from tread to tread. -The riser height is supposed to be equal for all steps of a stair or stair flight. - - - - - - - Steigung - Riser Height - HauteurContreMarche - 蹴上げ高さ - 踢板高度 - - - German-description-4 - - Hauteur de la contremarche, supposée homogène pour toutes les marches de l'escalier ou de la volée de marches. - 踏面と踏面の垂直方向の距離。この蹴上げ高さ値は、一連の階段において同じ値と仮定する。 - 踏板之间的垂直高度。 -楼梯或梯段所有梯级的踢板高度应当一致。 - - - - TreadLength - Horizontal distance from the front of the thread to the front of the next tread. -The tread length is supposed to be equal for all steps of the stair or stair flight at the walking line. - - - - - - - Auftritt - Tread Length - LongueurGiron - 踏面長 - 踏板长度 - - - German-description-5 - - Longueur de giron (largeur de marche), supposée égale pour toutes les marches de l'escalier ou de la volée de marchesle long de la ligne de foulée - 踏面の前面部分から次の踏面までの水平方向の距離。この踏面長の値は、一連の階段において同じ値と仮定する。 - 踏板前缘到下一级踏板前缘的水平距离。 -走线方向上楼梯或梯段所有梯级的踏板宽度应当一致。 - - - - NosingLength - Horizontal distance from the front of the tread to the riser underneath. It is the overhang of the tread. - - - - - - - Überstand - Nosing Length - Hauteur de passage requise - - - - - Hauteur de passage (échappée) requise selon le Code en vigueur ou des spécifications additionnelles. - - - - WalkingLineOffset - Offset of the walking line from the inner side of the flight. -Note: the walking line may have a own shape representation (in case of inconsistencies, the value derived from the shape representation shall take precedence). - - - - - - - Abstand der Lauflinie - Walking Line Offset - - - - - - - - TreadLengthAtOffset - Length of treads at a given offset. -Walking line position is given by the 'WalkingLineOffset'. The resulting value should normally be identical with TreadLength, it may be given in addition, if the walking line offset for building code calculations is different from that used in design. - - - - - - - Auftritt an der Lauflinie - Tread Length At Offset - - - - - - - - TreadLengthAtInnerSide - Minimum length of treads at the inner side of the winder. -Only relevant in case of winding flights, for straight flights it is identical with IfcStairFlight.TreadLength. It is a pre-calculated value, in case of inconsistencies, the value derived from the shape representation shall take precedence. - - - - - - - minimaler Auftritt an der Innenseite - Tread Length At Inner Side - - - - - - - - WaistThickness - Minimum thickness of the stair flight, measured perpendicular to the slope of the flight to the inner corner of riser and tread. It is a pre-calculated value, in case of inconsistencies, the value derived from the shape representation shall take precedence. - - - - - - - minimale Dicke des Treppenplatte - Waist Thickness - - - - - - - - RequiredHeadroom - Required headroom clearance for the passageway according to the applicable building code or additional requirements. - - - - - - - erforderliche Durchgangshöhe - Required Headroom - HauteurPassageRequise - 要求頭高余裕 - 所需净空 - - - German-description-6 - - Hauteur de passage (échappée) requise selon le Code en vigueur ou des spécifications additionnelles. - 要求される頭高余裕。関連する建築基準法を参照。 - 建筑规范或其他规定要求的通道净空高度。 - - - - HandicapAccessible - Indication that this object is designed to be accessible by the handicapped. -Set to (TRUE) if this stair is rated as handicap accessible according the local building codes, otherwise (FALSE). Accessibility maybe provided by additional means. - - - - - - - Behindertengerecht - Handicap Accessible - AccessibleHandicapes - ハンディキャップアクセス可能性 - 是否为无障碍设施 - - - German-description-7 - - Indique que cet objet est conçu pour être accessible aux handicapés. Indication donnée selon le Code National. - この空間がハンディキャップ者向けの空間かどうかを示すブーリアン値。 - 表示该构件是否设计为可供残疾人使用的无障碍设施。 -该属性的根据为国家建筑规范。 - - - - HasNonSkidSurface - Indication whether the surface finish is designed to prevent slippery (TRUE) or not (FALSE). - - - - - - - Nichtrutschende Oberfläche - Has Non Skid Surface - AntiDerapant - 滑り止め表面加工区分 - 表面是否防滑 - - - German-description-11 - - Indique si le revêtement de surface est anti dérapant (VRAI) ou non (FALSE) - スリップ防止のための表面仕上げをしているかどうかのブーリアン値。 - 表示表面处理是否设计为防滑的。 - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external element and faces the outside of the building. - - - - - - - Außenbauteil - Is External - EstExterieur - 外部区分 - 是否外部构件 - - - Angabe, ob dieses Bauteil ein Aussenbauteil ist (JA) oder ein Innenbauteil (NEIN). Als Aussenbauteil grenzt es an den Aussenraum (oder Erdreich, oder Wasser). - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - 外部の部材かどうかを示すブーリアン値。もしTRUEの場合、外部の部材で建物の外側に面している。 - 表示该构件是否设计为外部构件。若是,则该构件为外部构件,朝向建筑物的外侧。 - - - - ThermalTransmittance - - - - - - - - - - LoadBearing - - - - - - - - - - FireRating - Fire rating for this object. -It is given according to the national fire safety classification. - - - - - - - Feuerwiderstandsklasse - Fire Rating - ResistanceAuFeu - 耐火等級 - 防火等级 - - - Feuerwiderstandasklasse gemäß der nationalen oder regionalen Brandschutzverordnung. - - Classement au feu de l'élément donné selon la classification nationale de sécurité incendie. - 主要な耐火等級。関連する建築基準法、消防法などの国家基準を参照。 - 该构件的防火等级。 -该属性的依据为国家防火安全分级。 - - - - FireExit - Indication whether this object is designed to serve as an exit in the case of fire (TRUE) or not (FALSE). -Here it defines an exit stair in accordance to the national building code. - - - - - - - Fluchttreppe - Fire Exit - Sortie Secours - 非常口区分 - 是否为紧急出口 - - - Angabe, ob die Tür ein Notausgang oder Fluchttür gemäß der nationalen oder regionalen Brandschutzverordnung ist (JA), oder nicht (NEIN). - Indication whether this object is designed to serve as an exit in the case of fire (TRUE) or not (FALSE). Here it defines an exit stair in accordance to the national building code. - Indique si cet objet est conçu pour servir de sortie en cas d'incendie (VRAI) ou non (FAUX). Définition de la sortie de secours selon le Code National. - このオブジェクトが火災時の非常口として設計されているかどうかを示すブーリアン値。ここでは関連する建築基準法における出口ドアとして定義している。 - 表示该构件是否设计为火灾时的紧急出口。 -该属性的依据为国家建筑规范。 - - - - - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de la classe IfcStair - IfcStair(階段)オブジェクトに関する共通プロパティセット定義。 - 所有IfcStair实例的定义中通用的属性。 - - - - - Pset_StairFlightCommon - Properties common to the definition of all occurrences of IfcStairFlight. - - - IfcStairFlight - - IfcStairFlight - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Bauteiltyp - Reference - Reference - 参照記号 - 参考号 - - - Bezeichnung zur Zusammenfassung gleichartiger Bauteile zu einem Bauteiltyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1") pour désigner un "type de construction". Une alternative au nom d'un objet type lorsque les objets types ne sont pas gérés par le logiciel. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 若未采用已知的分类系统,则该属性为该项目中该类型构件的参考编号(例如,类型A-1)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - NumberOfRiser - Total number of the risers included in the stair flight. - - - - - - - Anzahl der Steigungen - Number Of Riser - NombreContreMarches - 蹴上げ数 - 踢板数 - - - German-description-2 - - Nombre total de contremarches de l'escalier - 階段の蹴上げ数。 - 该梯段所包含的踢板总数。 - - - - NumberOfTreads - Total number of treads included in the stair flight. - - - - - - - Anzahl der Auftritte - Number Of Treads - NombreGirons - 踏面数 - 踏板数 - - - German-description-3 - - Nombre total de girons de l'escalier - 階段の踏面数。 - 该梯段所包含的踏板总数。 - - - - RiserHeight - Vertical distance from tread to tread. -The riser height is supposed to be equal for all steps of a stair or stair flight. - - - - - - - Steigung - Riser Height - HauteurContreMarche - 蹴上げ高さ - 踢板高度 - - - German-description-4 - - Hauteur de la contremarche, supposée homogène pour toutes les marches de l'escalier ou de la volée de marches. - 踏面と踏面の垂直方向の距離。この蹴上げ高さ値は、一連の階段において同じ値と仮定する。 - 踏板之间的垂直高度。 -楼梯或梯段所有梯级的踢板高度应当一致。 - - - - TreadLength - Horizontal distance from the front of the thread to the front of the next tread. -The tread length is supposed to be equal for all steps of the stair or stair flight at the walking line. - - - - - - - Auftritt - Tread Length - LongueurGiron - 踏面長 - 踏板长度 - - - German-description-5 - - Longueur de giron (largeur de marche), supposée égale pour toutes les marches de l'escalier ou de la volée de marchesle long de la ligne de foulée - 踏面の前面部分から次の踏面までの水平方向の距離。この踏面長の値は、一連の階段において同じ値と仮定する。 - 踏板前缘到下一级踏板前缘的水平距离。 -走线方向上楼梯或梯段所有梯级的踏板宽度应当一致。 - - - - NosingLength - Horizontal distance from the front of the tread to the riser underneath. It is the overhang of the tread. - - - - - - - Überstand - Nosing Length - LongueurNez - 踏板前缘长度 - - - German-description-6 - - Longueur du nez de marche. - 踏板前边沿到下级踢板的水平距离,即踏板悬挑部分的长度。 - - - - WalkingLineOffset - Offset of the walking line from the inner side of the flight. -Note: the walking line may have a own shape representation (in case of inconsistencies, the value derived from the shape representation shall take precedence). - - - - - - - Abstand der Lauflinie - Walking Line Offset - PositionLigneFoulee - 走线偏移 - - - German-description-7 - - Décalage de la ligne de foulée par rapport au côté intérieur de la volée. Nota : la ligne de foulée peut avoir sa propre représentation. En cas d'incohérences, c'est la valeur déduite de la représentation de la forme qui prime. - 走线到梯段内侧的偏移量。 -注:走线可能有单独的形状描述(如果不一致,应以从形状描述得到的值为准)。 - - - - TreadLengthAtOffset - Length of treads at a given offset. -Walking line position is given by the 'WalkingLineOffset'. The resulting value should normally be identical with TreadLength, it may be given in addition, if the walking line offset for building code calculations is different from that used in design. - - - - - - - Auftritt an der Lauflinie - Tread Length At Offset - LongueurGironSurLigneFoulee - 偏移踏板长度 - - - German-description-8 - - Longueur du giron le long de la ligne de foulée. La valeur relativement à cette position doit normalement être identique à la propriété "Longueur du giron" ; elle peut être indiquée si la valeur de la propriété "Décalage de la ligne de foulée" donnée par une règle de calcul est différente de celle utilisée en conception. - 在指定偏移量处踏板的长度。 -走线位置由“走线偏移”指定。该属性一般应与踏板长度一致,但如果根据建筑规范计算得到的走线偏移量和设计中使用的走线偏移量不同时,应使用该属性。 - - - - TreadLengthAtInnerSide - Minimum length of treads at the inner side of the winder. -Only relevant in case of winding flights, for straight flights it is identical with IfcStairFlight.TreadLength. It is a pre-calculated value, in case of inconsistencies, the value derived from the shape representation shall take precedence. - - - - - - - minimaler Auftritt an der Innenseite - Tread Length At Inner Side - LongueurGironCoteInterieur - 内侧踏板长度 - - - German-description-9 - - Longueur minimum des girons du côté intérieur de l'enroulement. Pertinent seulement pour les escaliers tournants car pour une volée droite, la valeur est donnée par la propriété "Longueur du giron". C'est une valeur précalculée. En cas d'incohérence, c'est la valeur dérivée de la représentation de la forme qui prime. - 螺旋楼梯踏板内侧的最小长度。 -该属性仅适用于螺旋楼梯。对直跑楼梯,该属性与IfcStairFlight.TreadLength一致。该属性为预设值,若有冲突,应以从形状描述得到的值为准。 - - - - Headroom - Actual headroom clearance for the passageway according to the current design. -The shape information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the shape properties, provided in the attached property, the geometric parameters take precedence. - - - - - - - Durchgangshöhe - Headroom - HauteurPassage - 净空 - - - German-description-10 - - Hauteur de passage (échappée) actuellement projetée. Cette propriété est donnée en complément de la représentation de la forme de l'élément et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. - 当前设计方案确定的通道实际净空高度。 -该属性所提供的形状信息是对内部形状描述和几何参数的补充。如果几何参数与该属性所提供的形状属性不符,应以几何参数为准。 - - - - WaistThickness - Minimum thickness of the stair flight, measured perpendicular to the slope of the flight to the inner corner of riser and tread. It is a pre-calculated value, in case of inconsistencies, the value derived from the shape representation shall take precedence. - - - - - - - minimale Dicke des Treppenplatte - Waist Thickness - Epaisseur - 腰部厚度 - - - German-description-11 - - Epaisseur minimum de la volée mesurée perpendiculairement à la pente de la volée jusqu'au coin intérieur formé par la marche et la contremarche. C'est une valeur précalculée. En cas d'incohérence, c'est la valeur dérivée de la représentation de la forme qui prime. - 楼梯梯段的最小厚度,即踢板和踏板所成的内角到梯段斜面的垂线长度。该属性为预设值,若有冲突,应以从形状描述得到的值为准。 - - - - - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de la classe IfcStairFlight - IfcStairFlightオブジェクトに関する共通プロパティセット定義。 - 所有IfcStairFlight实例的定义中通用的属性。 - - - - - Pset_StructuralSurfaceMemberVaryingThickness - Thickness parameters of a surface member (structural analysis item) with varying thickness, particularly with linearly varying thickness. The thickness is interpolated/ extrapolated from three points. The locations of these points are given either in local x,y coordinates of the surface member or in global X,Y,Z coordinates. Either way, these points are required to be located within the face or at the bounds of the face of the surface member, and they must not be located on a common line. Local and global coordinates shall not be mixed within the same property set instance. - - - IfcStructuralSurfaceMemberVarying - - IfcStructuralSurfaceMemberVarying - - - Thickness1 - First thickness parameter of a surface member with varying thickness - - - - - - - Thickness1 - - - - - - - Location1Local - Local x,y coordinates of the point in which Thickness1 is given - - - - - - - - - Location1 Local - - - - - - - Location1Global - Global X,Y,Z coordinates of the point in which Thickness1 is given - - - - - - - - - Location1 Global - - - - - - - Thickness2 - Second thickness parameter of a surface member with varying thickness - - - - - - - Thickness2 - - - - - - - Location2Local - Local x,y coordinates of the point in which Thickness2 is given - - - - - - - - - Location2 Local - - - - - - - Location2Global - Global X,Y,Z coordinates of the point in which Thickness2 is given - - - - - - - - - Location2 Global - - - - - - - Thickness3 - Third thickness parameter of a surface member with varying thickness - - - - - - - Thickness3 - - - - - - - Location3Local - Local x,y coordinates of the point in which Thickness3 is given - - - - - - - - - Location3 Local - - - - - - - Location3Global - Global X,Y,Z coordinates of the point in which Thickness3 is given - - - - - - - - - Location3 Global - - - - - - - - - - - - - Pset_SwitchingDeviceTypeCommon - A switching device is a device designed to make or break the current in one or more electric circuits. - - - IfcSwitchingDevice - - IfcSwitchingDevice - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - このプロジェクト (例. 'A-1' タイプなど)で指定された参照ID。認められた分類体系の分類参照が存在しない場合に適用される。 - 이 프로젝트 (예 : 'A-1'유형 등) 지정된 참조 ID. 인정 분류 체계의 분류 참조가없는 경우에 적용된다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - NumberOfGangs - Number of gangs/buttons on this switch. - - - - - - - Number Of Gangs - ボタン数 - 버튼 수 - - - - スイッチのボタン数 - 스위치 버튼 수 - - - - SwitchFunction - Indicates types of switches which differs in functionality. - - - - ONOFFSWITCH - INTERMEDIATESWITCH - DOUBLETHROWSWITCH - OTHER - NOTKNOWN - UNSET - - - - ONOFFSWITCH - - On/off Switch - - - - - - - INTERMEDIATESWITCH - - Intermediate Switch - - - - - - - DOUBLETHROWSWITCH - - Double Throw Switch - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Switch Function - スイッチタイプ - 스위치 유형 - - - - 機能ごとに異なるスイッチのタイプを示す - 기능마다 다른 스위치 타입을 나타낸다. - - - - HasLock - Indication of whether a switching device has a key operated lock (=TRUE) or not (= FALSE). - - - - - - - Has Lock - ロックの可否 - 잠금여부 - - - - スイッチ装置がキー操作でロックする場合は(TRUE)、そうでない場合は(FALSE)を表す。 - 스위치 장치가 키 조작으로 잠글 경우 (TRUE), 그렇지 않은 경우 (FALSE)을 나타낸다. - - - - IsIlluminated - An indication of whether there is an illuminated indicator to show that the switch is on (=TRUE) or not (= FALSE). - - - - - - - Is Illuminated - 自照型 - 스위치 조명표시기 - - - - イルミネーション型(自照型)表示機でスイッチのオン(TRUE)やオフ(FALSE)を示す。 - 일루미 네이션 형 (자조 형) 표시기 스위치를 켜거나 (TRUE) 또는 오프 (FALSE)를 나타낸다. - - - - Legend - A text inscribed or applied to the switch as a legend to indicate purpose or function. - - - - - - - Legend - 凡例 - 범례 - - - - 目的または機能を示す凡例など、スイッチに適用されるテキスト。 - 목적이나 기능을 나타내는 범례와 같은 스위치에 적용되는 텍스트입니다. - - - - SetPoint - Indicates the setpoint and label. For toggle switches, there are two positions, 0 for off and 1 for on. For dimmer switches, the values may indicate the fully-off and full-on positions, where missing integer values in between are interpolated. For selector switches, the range indicates the available positions. -An IfcTable may be attached (using IfcMetric and IfcPropertyConstraintRelationship) containing columns of the specified header names and types: -'Position' (IfcInteger): The discrete setpoint level. -'Sink' (IfcLabel): The Name of the switched input port (IfcDistributionPort with FlowDirection=SINK). -'Source' (IfcLabel): The Name of the switched output port (IfcDistributionPort with FlowDirection=SOURCE). -'Ratio' (IfcNormalizedRatioMeasure): The ratio of power at the setpoint where 0.0 is off and 1.0 is fully on. - - - - - - - - - - - - - Set Point - 設定ポイント - 스위치 포트 싱크 - - - - 設定ポイントと範囲を示す。トグルスイッチは2つのポジションがある:0 は オフ(OFF)、1 は オン(ON)。ディマースイッチは、全閉(fully-off) または 全開(fully-on) の他に、その間で取得可能な値をオプションで示す。選択型スイッチは選択可能なポジションの範囲を示す。 - 입력 포트 이름 (IfcDistributionPort 및 FlowDirection = SINK), Maps SetPoint 위치. 회로가 어떤 경로를 추적할지를 나타낸다. - - - - - - IEC 441-14-01の定義: -切換装置は、1つ以上の電気回路で電流を遮断するように設計された装置です。 - - - - - Pset_SwitchingDeviceTypeContactor - An electrical device used to control the flow of power in a circuit on or off. - - - IfcSwitchingDevice/CONTACTOR - - IfcSwitchingDevice/CONTACTOR - - - ContactorType - A list of the available types of contactor from which that required may be selected where: - -CapacitorSwitching: for switching 3 phase single or multi-step capacitor banks. -LowCurrent: requires the use of low resistance contacts. -MagneticLatching: enables the contactor to remain in the on position when the coil is no longer energized. -MechanicalLatching: requires that the contactor is mechanically retained in the on position. -Modular: are totally enclosed and self contained. -Reversing: has a double set of contactors that are prewired. -Standard: is a generic device that controls the flow of power in a circuit on or off. - - - - CAPACITORSWITCHING - LOWCURRENT - MAGNETICLATCHING - MECHANICALLATCHING - MODULAR - REVERSING - STANDARD - OTHER - NOTKNOWN - UNSET - - - - CAPACITORSWITCHING - - Capacitor Switching - - - - - - - LOWCURRENT - - Low Current - - - - - - - MAGNETICLATCHING - - Magnetic Latching - - - - - - - MECHANICALLATCHING - - Mechanical Latching - - - - - - - MODULAR - - Modular - - - - - - - REVERSING - - Reversing - - - - - - - STANDARD - - Standard - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Contactor Type - 接触器タイプ - 접촉기 유형 - - - - 以下より選択が必要となる、接触器の一覧リスト: - -コンデンサスイッチ:3つのシングルフェーズまたは複数のコンデンサバンクで切り替える。 -低流:低い抵抗接触の使用が必要 -マグネット式:コイルのエネルギーが無くなった時に切替をONポジションにして有効にする -MechanicalLatching:切替器がONポジションを維持するために機械的な仕組みが必要。 -モジュール式:閉鎖されている自働型切替器。 -リバース:2つの切替器をワイヤーで接続したもの。 -標準:回路で電力潮流をオンまたはオフでコントロールする一般的な装置。 - 다음에서 선택이 필요하다, 접촉기 목록 : 콘덴서 스위치 : 3 개의 단일 위상 이상의 커패시터 뱅크를 전환합니다. 낮은여 : 낮은 저항 접촉 사용해야 마그네틱 : 코일의 에너지가 분실된 때 전환을 ON 위치로하여 사용 MechanicalLatching : 판을 ON 위치를 유지하기 위해 기계적인 구조가 필요합니다. 모듈형 : 폐쇄되어있는 자신 동형 판. 리버스 : 두 판을 와이어로 연결한 것. 표준 : 회로에서 전력 조류를 켜지거나 꺼지지 컨트롤하는 일반적인 장치 - - - - - - 電力機器の起動・停止のために、電力回路を開閉する電力機器。 - - - - - Pset_SwitchingDeviceTypeDimmerSwitch - A dimmer switch is a switch that adjusts electrical power through a variable position level action. HISTORY: Added in IFC4. - - - IfcSwitchingDevice/DIMMERSWITCH - - IfcSwitchingDevice/DIMMERSWITCH - - - DimmerType - A list of the available types of dimmer switch from which that required may be selected. - - - - ROCKER - SELECTOR - TWIST - OTHER - NOTKNOWN - UNSET - - - - ROCKER - - Rocker - - - - - - - SELECTOR - - Selector - - - - - - - TWIST - - Twist - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Dimmer Type - ディマータイプ - 조광기 유형 - - - - 選択が必要となる、ディマースイッチの一覧リスト。 - 선택이 필요한 조광기 스위치 목록 - - - - - - 各レベルの動作で電力を調整するディマースイッチ。 -履歴:IFC2x4へ追加。 - - - - - Pset_SwitchingDeviceTypeEmergencyStop - An emergency stop device acts to remove as quickly as possible any danger that may have arisen unexpectedly. - - - IfcSwitchingDevice/EMERGENCYSTOP - - IfcSwitchingDevice/EMERGENCYSTOP - - - SwitchOperation - Indicates operation of emergency stop switch. - - - - MUSHROOM - OTHER - NOTKNOWN - UNSET - - - - MUSHROOM - - Mushroom - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Switch Operation - スイッチ操作 - 스위치 조작 - - - - 緊急停止スイッチの操作を示す。 - 비상 정지 스위치의 조작을 보여준다. - - - - - - IEC 826-08-03の定義: -緊急停止スイッチは予期せずして起こるさまざまな危険を可能な限り迅速に取り除くように動作する装置である。 - - - - - Pset_SwitchingDeviceTypeKeypad - A keypad is a switch supporting multiple functions. HISTORY: Added in IFC4. - - - IfcSwitchingDevice/KEYPAD - - IfcSwitchingDevice/KEYPAD - - - KeypadType - A list of the available types of keypad switch from which that required may be selected. - - - - BUTTONS - TOUCHSCREEN - OTHER - NOTKNOWN - UNSET - - - - BUTTONS - - Buttons - - - - - - - TOUCHSCREEN - - Touchscreen - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Keypad Type - キーパッドタイプ - 키패드 유형 - - - - 選択が必要となる、キーパッドスイッチの一覧リスト。 - 선택이 필요한 키패드 스위치 목록 - - - - - - キーパッドは複数の機能をサポートするスイッチ。 -履歴: IFC4に追加。 - - - - - Pset_SwitchingDeviceTypeMomentarySwitch - A momentary switch is a switch that does not hold state. HISTORY: Added in IFC4. - - - IfcSwitchingDevice/MOMENTARYSWITCH - - IfcSwitchingDevice/MOMENTARYSWITCH - - - MomentaryType - A list of the available types of momentary switch from which that required may be selected. - - - - BUTTON - OTHER - NOTKNOWN - UNSET - - - - BUTTON - - Button - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Momentary Type - 瞬時スイッチタイプ - 순간스위치 유형 - - - - 選択が必要となる、自動復帰スイッチの一覧リスト。 - 선택이 필요한 자동 복귀 스위치 목록 - - - - - - 瞬時スイッチ(モーメンタリスイッチ)は状態を保持しないタイプのスイッチ。 -履歴: IFC4に追加。 - - - - - Pset_SwitchingDeviceTypePHistory - Indicates switch positions or levels over time, such as for energy management or surveillance. - - - IfcSwitchingDevice - - IfcSwitchingDevice - - - SetPoint - Indicates the switch position over time according to Pset_SwitchingDeviceTypeCommon.SetPoint. - - - - - Set Point - - - - - - - - - - - - - Pset_SwitchingDeviceTypeSelectorSwitch - A selector switch is a switch that adjusts electrical power through a multi-position action. HISTORY: Added in IFC4. - - - IfcSwitchingDevice/SELECTORSWITCH - - IfcSwitchingDevice/SELECTORSWITCH - - - SelectorType - A list of the available types of selector switch from which that required may be selected. - - - - BUTTONS - SLIDE - TWIST - OTHER - NOTKNOWN - UNSET - - - - ROCKER - - Rocker - - - - - - - SELECTOR - - Selector - - - - - - - TWIST - - Twist - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Selector Type - セレクター(スイッチ)タイプ - 스위치 타입 - - - - 選択が必要となる、切替えスイッチの一覧リスト。 - 전환스위치 목록 - - - - SwitchUsage - A list of the available usages for selector switches from which that required may be selected. - - - - EMERGENCY - GUARD - LIMIT - START - STOP - OTHER - NOTKNOWN - UNSET - - - - EMERGENCY - - Emergency - - - - - - - GUARD - - Guard - - - - - - - LIMIT - - Limit - - - - - - - START - - Start - - - - - - - STOP - - Stop - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Switch Usage - スイッチの使用法 - 스위치 사용 - - - - 選択が必要となる、切替えスイッチの使用法の一覧リスト。 - 전환스위치 사용 목록 - - - - SwitchActivation - A list of the available activations for selector switches from which that required may be selected. - - - - ACTUATOR - FOOT - HAND - PROXIMITY - SOUND - TWOHAND - WIRE - OTHER - NOTKNOWN - UNSET - - - - ACTUATOR - - Actuator - - - - - - - FOOT - - Foot - - - - - - - HAND - - Hand - - - - - - - PROXIMITY - - Proximity - - - - - - - SOUND - - Sound - - - - - - - TWOHAND - - Two Hand - - - - - - - WIRE - - Wire - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Switch Activation - 起動方式 - 기동 방식 - - - - 選択が必要となる、切替えスイッチの起動方式の一覧リスト。 - 스위치 부팅방식의 목록 - - - - - - 切替えスイッチは複数のポジションに合わせることで電力を調整するスイッチである。 -履歴: IFC4に追加。 - - - - - Pset_SwitchingDeviceTypeStarter - A starter is a switch which in the closed position controls the application of power to an electrical device. - - - IfcSwitchingDevice/STARTER - - IfcSwitchingDevice/STARTER - - - StarterType - A list of the available types of starter from which that required may be selected where: - -AutoTransformer: A starter for an induction motor which uses for starting one or more reduced voltages derived from an auto transformer. (IEC 441-14-45) -Manual: A starter in which the force for closing the main contacts is provided exclusively by manual energy. (IEC 441-14-39) -DirectOnLine: A starter which connects the line voltage across the motor terminals in one step. (IEC 441-14-40) -Frequency: A starter in which the frequency of the power supply is progressively increased until the normal operation frequency is attained. -nStep: A starter in which there are (n-1) intermediate accelerating positions between the off and full on positions. (IEC 441-14-41) -Rheostatic: A starter using one or several resistors for obtaining, during starting, stated motor torque characteristics and for limiting the current. (IEC 441-14-425) -StarDelta: A starter for a 3 phase induction motor such that in the starting position the stator windings are connected in star and in the final running position they are connected in delta. (IEC 441-14-44) - - - - AUTOTRANSFORMER - MANUAL - DIRECTONLINE - FREQUENCY - NSTEP - RHEOSTATIC - STARDELTA - OTHER - NOTKNOWN - UNSET - - - - AUTOTRANSFORMER - - Auto Transformer - - - - - - - MANUAL - - Manual - - - - - - - DIRECTONLINE - - Direct Online - - - - - - - FREQUENCY - - Frequency - - - - - - - NSTEP - - Nstep - - - - - - - RHEOSTATIC - - Rheostatic - - - - - - - STARDELTA - - Star Delta - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Starter Type - 始動タイプ - 시작 유형 - - - - 以下より選択が必要となる、始動の一覧リスト: - -自動: 自動トランスから引き出された1つ以上の低下した電圧でスタートするために使用する誘導電動機用のスターター (IEC 441-14-45) -手動: メインのコンタクトから強制的に分離されたところにあり、手動によりエネルギーが供給される (IEC 441-14-39) -じか入れ: ワンステップでモーター・ターミナル間の線間電圧をつなぐスターター (IEC 441-14-40) -振動:電源の振動数が通常の操作振動まで次第に増大して行くスターター -nStep: オフ(OFF)とオン(ON)の間で、(n-1)の中間の加速度的な位置であるスターター。 (IEC 441-14-41) -抵抗:モータのトルク特性の取得、開始、そして安定する間に、電流を制限するために 1 つまたはいくつかの抵抗を利用したスターター (IEC 441-14-425) -スターデルタ:開始位置では固定小巻線(スターターワインディング)が星状で接続され、その後、最終の実行状態ではデルタ状に接続されるという3相誘導モーター用のスターター。(IEC 441-14-44) - 아래에서 선택이 필요한 시동 목록 목록 : 자동 : 자동 트랜스에서 가져온 하나 이상의 저하 전압으로 시작하는 데 사용하는 유도 전동기의 스타터 (IEC 441-14-45) 수동 : 기본 연락처에서 강제로 격리된 거리에 있으며, 수동으로 에너지가 공급되는 (IEC 441-14-39) 글자 하나 입력 : 한 번에 모터 터미널 사이의 선간 전압을 연결 스타터 (IEC 441-14-40) 진동 : 전원의 진동수가 정상 작동 진동까지 점차 증대 해가는 스타터 nStep : 꺼짐 (OFF)과 켜짐 (ON) 사이에서 (n-1) 사이의 가속도적인 위치이다 스타터. (IEC 441-14-41) 저항 : 모터의 토크 특성 가져오기 시작, 그리고 안정 사이에 전류를 제한하기 위해 하나 또는 몇 가지 저항을 이용한 스타터 (IEC 441-14-425) 스타 델타 : 시작 위치는 고정 小巻 선 (초보 와인)이 소행성에 연결된 후, 최종 상태에서는 델타 모양으로 연결된다 3 상 유도 모터의 스타터. (IEC 441-14-44) - - - - - - スタータースイッチは閉じた状態の位置から、電気装置に対し電力の利用を制御する装置。 - - - - - Pset_SwitchingDeviceTypeSwitchDisconnector - A switch disconnector is a switch which in the open position satisfies the isolating requirements specified for a disconnector. - -History: Property 'HasVisualIndication' changed to 'IsIlluminated' to conform with property name for toggle switch - - - IfcSwitchingDevice/SWITCHDISCONNECTOR - - IfcSwitchingDevice/SWITCHDISCONNECTOR - - - SwitchDisconnectorType - A list of the available types of switch disconnector from which that required may be selected where: - -CenterBreak: A disconnector in which both contacts of each pole are movable and engage at a point substantially midway between their supports. (IEC 441-14-08) -DividedSupport: A disconnector in which the fixed and moving contacts of each pole are not supported by a common base or frame. (IEC 441-14-06) -DoubleBreak: A disconnector that opens a circuit at two points. (IEC 441-14-09) -EarthingSwitch: A disconnector in which the fixed and moving contacts of each pole are not supported by a common base or frame. (IEC 441-14-07) -Isolator: A disconnector which in the open position satisfies isolating requirements. (IEC 441-14-12) - - - - CENTERBREAK - DIVIDEDSUPPORT - DOUBLEBREAK - EARTHINGSWITCH - ISOLATOR - OTHER - NOTKNOWN - UNSET - - - - CENTERBREAK - - Center Break - - - - - - - DIVIDEDSUPPORT - - Divided Support - - - - - - - DOUBLEBREAK - - Double Break - - - - - - - EARTHINGSWITCH - - Earthing Switch - - - - - - - ISOLATOR - - Isolator - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Switch Disconnector Type - 高圧遮断機タイプ - 고압차단기 유형 - - - - 以下より選択が必要となる、スイッチ断路機の一覧リスト: - -センターブレイク: 各極の両方の接点は可動式で、実質的に中間付近を保持する断路器。 (IEC 441-14-08) -DividedSupport: 各極の固定側と移動側接点が、共通のベースまたはフレームではサポートされない断路器。(IEC 441-14-06) -二点切り断路器: 2点で回路を開く断路器 (IEC 441-14-09) -接地開閉器 : 各極の固定側と移動側接点が、共通のベースまたはフレームではサポートされない断路器。(IEC 441-14-07) -断路器: 解放位置の分離要件を満たす、断路器。(IEC 441-14-12) - 아래에서 선택이 필요한 스위치 단로 기의 목록 목록 : 센터 브레이크 : 각 국의 두 접점은 가동 식에서 실질적으로 중간 부근을 유지 단로기. (IEC 441-14-08) DividedSupport : 각 국의 고정 측과 ​​이동 측의 접점이 공통 기반 또는 프레임이 지원되지 않는 단로기. (IEC 441-14-06) 두가지 끄고 단로기 : 2 점 회로를 열 단로기 (IEC 441-14-09) 접지 개폐기 : 각 국의 고정 측과 ​​이동 측의 접점이 공통 기반 또는 프레임이 지원되지 않는 단로기. (IEC 441-14-07) 단로기 : 해제 위치 격리 요구 사항을 충족 단로기. (IEC 441-14-12) - - - - LoadDisconnectionType - A list of the available types of load disconnection from which that required may be selected. - - - - OFFLOAD - ONLOAD - OTHER - NOTKNOWN - UNSET - - - - OFFLOAD - - Offload - - - - - - - ONLOAD - - Onload - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Load Disconnection Type - 切断タイプ - - - - 選択が必要となる、負荷開閉器タイプの一覧リスト。 - - - - - - IEC 441-14-12の定義: -高圧開閉器は開閉器のために孤立した状態である必要条件を満たす、開いた位置にあるスイッチ。 - -履歴: -属性 'HasVisualIndication' を トグルスイッチのプロパティ名に対応するよう、'IsIlluminated' へ変更。 - - - - - Pset_SwitchingDeviceTypeToggleSwitch - A toggle switch is a switch that enables or isolates electrical power through a two position on/off action. HISTORY: SetPoint added in IFC4. - - - IfcSwitchingDevice/TOGGLESWITCH - - IfcSwitchingDevice/TOGGLESWITCH - - - ToggleSwitchType - A list of the available types of toggle switch from which that required may be selected. - - - - BREAKGLASS - CHANGEOVER - KEYOPERATED - MANUALPULL - PUSHBUTTON - PULLCORD - ROCKER - SELECTOR - TWIST - OTHER - NOTKNOWN - UNSET - - - - BREAKGLASS - - Break Glass - - - - - - - CHANGEOVER - - Changeover - - - - - - - KEYOPERATED - - Key Operated - - - - - - - MANUALPULL - - Manual Pull - - - - - - - PUSHBUTTON - - Push Button - - - - - - - PULLCORD - - Pull Cord - - - - - - - ROCKER - - Rocker - - - - - - - SELECTOR - - Selector - - - - - - - TWIST - - Twist - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Toggle Switch Type - レバースイッチタイプ - 레버스위치 유형 - - - - 選択が必要となる、トグルスイッチの一覧リスト。 - 선택이 필요한 토글 스위치 목록 - - - - SwitchUsage - A list of the available usages for toggle switches from which that required may be selected. - - - - EMERGENCY - GUARD - LIMIT - START - STOP - OTHER - NOTKNOWN - UNSET - - - - EMERGENCY - - Emergency - - - - - - - GUARD - - Guard - - - - - - - LIMIT - - Limit - - - - - - - START - - Start - - - - - - - STOP - - Stop - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Switch Usage - スイッチの使用法 - 스위치 사용 - - - - 選択が必要となる、トグルスイッチの使用法の一覧リスト。 - 선택이 필요한 토글 스위치 사용목록 - - - - SwitchActivation - A list of the available activations for toggle switches from which that required may be selected. - - - - ACTUATOR - FOOT - HAND - PROXIMITY - SOUND - TWOHAND - WIRE - OTHER - NOTKNOWN - UNSET - - - - ACTUATOR - - Actuator - - - - - - - FOOT - - Foot - - - - - - - HAND - - Hand - - - - - - - PROXIMITY - - Proximity - - - - - - - SOUND - - Sound - - - - - - - TWOHAND - - Two Hand - - - - - - - WIRE - - Wire - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Switch Activation - 起動方式 - 기동 방식 - - - - 選択が必要となる、トグルスイッチの起動方式の一覧リスト。 - 선택이 필요한 토글 스위치 부팅 방식의 목록 - - - - - - トグルスイッチとはON、OFFの2つのポジションの動作で、電力を接続したり遮断したりするスイッチである。 -履歴: IFC4 に SetPoint を追加。 - - - - - Pset_SystemFurnitureElementTypeCommon - Common properties for all systems furniture (I.e. modular furniture) element types (e.g. vertical panels, work surfaces, and storage). HISTORY: First issued in IFC Release R1.5. Renamed from Pset_FurnitureElementCommon - - - IfcSystemFurnitureElement - - IfcSystemFurnitureElement - - - IsUsed - Indicates whether the element is being used in a workstation (= TRUE) or not.(= FALSE). - - - - - - - Is Used - - - - - - - GroupCode - e.g. panels, worksurfaces, storage, etc. - - - - - - - Group Code - - - - - - - NominalWidth - The nominal width of the system furniture elements of this type. The size information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the size properties, provided in the attached property set, the geometric parameters take precedence. - - - - - - - Nominal Width - - - - - - - NominalHeight - The nominal height of the system furniture elements of this type. The size information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the size properties, provided in the attached property set, the geometric parameters take precedence. - - - - - - - Nominal Height - - - - - - - Finishing - The finishing applied to system furniture elements of this type e.g. walnut, fabric. - - - - - - - Finishing - - - - - - - - - - - - - Pset_SystemFurnitureElementTypePanel - A set of specific properties for vertical panels that assembly workstations.. HISTORY: First issued in IFC Release R1.5. Renamed from Pset_Panel - - - IfcSystemFurnitureElement/PANEL - - IfcSystemFurnitureElement/PANEL - - - HasOpening - indicates whether the panel has an opening (= TRUE) or not (= FALSE). - - - - - - - Has Opening - - - - - - - FurniturePanelType - Available panel types from which that required may be selected. - - - - ACOUSTICAL - GLAZED - HORZ_SEG - MONOLITHIC - OPEN - ENDS - DOOR - SCREEN - OTHER - NOTKNOWN - UNSET - - - - ACOUSTICAL - - Acoustical - - - - - - - GLAZED - - Glazed - - - - - - - HORZ_SEG - - Horz Seg - - - - - - - MONOLITHIC - - Monolithic - - - - - - - OPEN - - Open - - - - - - - ENDS - - Ends - - - - - - - DOOR - - Door - - - - - - - SCREEN - - Screen - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Furniture Panel Type - - - - - - - NominalThickness - The nominal thickness of the panel. - - - - - - - Nominal Thickness - - - - - - - - - - - - - Pset_SystemFurnitureElementTypeWorkSurface - A set of specific properties for work surfaces used in workstations. HISTORY: First issued in IFC Release R1.5. Renamed from Pset_Worksurface - - - IfcSystemFurnitureElement/WORKSURFACE - - IfcSystemFurnitureElement/WORKSURFACE - - - UsePurpose - The principal purpose for which the work surface is intended to be used e.g. writing/reading, computer, meeting, printer, reference files, etc. - - - - - - - Use Purpose - - - - - - - SupportType - Available support types from which that required may be selected. - - - - FREESTANDING - SUPPORTED - OTHER - NOTKNOWN - UNSET - - - - ACOUSTICAL - - Acoustical - - - - - - - GLAZED - - Glazed - - - - - - - HORZ_SEG - - Horz Seg - - - - - - - MONOLITHIC - - Monolithic - - - - - - - OPEN - - Open - - - - - - - ENDS - - Ends - - - - - - - DOOR - - Door - - - - - - - SCREEN - - Screen - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Support Type - - - - - - - HangingHeight - The hanging height of the worksurface. - - - - - - - Hanging Height - - - - - - - NominalThickness - The nominal thickness of the work surface. - - - - - - - Nominal Thickness - - - - - - - ShapeDescription - A description of the shape of the work surface e.g. corner square, rectangle, etc. - - - - - - - Shape Description - - - - - - - - - - - - - Pset_TankOccurrence - Properties that relate to a tank. Note that a partial tank may be considered as a compartment within a compartmentalized tank. - - - IfcTank - - IfcTank - - - TankComposition - Defines the level of element composition where. - -COMPLEX: A set of elementary units aggregated together to fulfill the overall required purpose. -ELEMENT: A single elementary unit that may exist of itself or as an aggregation of partial units.. -PARTIAL: A partial elementary unit. - - - - COMPLEX - ELEMENT - PARTIAL - NOTKNOWN - UNSET - - - - COMPLEX - - Complex - - - A set of elementary units aggregated together to fulfill the overall required purpose - - - - ELEMENT - - Element - - - A single elementary unit that may exist of itself or as an aggregation of partial units - - - - PARTIAL - - Partial - - - A partial elementary unit - - - - OTHER - - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Tank Composition - 水槽構成 - - - - 定義 構成要素のレベル                       複合:A 全般的に要求された目的を達成するために集められた基本ユニットのセット                              要素:A それ自身あるいは部分的ユニットの集まりとしてある単一基本ユニット                                部分的:A 部分的な基本単位 - - - - HasLadder - Indication of whether the tank is provided with a ladder (set TRUE) for access to the top. If no ladder is provided then value is set FALSE. - -Note: No indication is given of the type of ladder (gooseneck etc.) - - - - - - - Has Ladder - 梯子有り - - - - 上部を点検するための梯子(TRUEに設定)をタンクに備えているかどうかの表示 もし、梯子が備え付けられていなければ値はFALSEと設定される。  注:表示がない場合は梯子のタイプが与えられる(グースネック他) - - - - HasVisualIndicator - Indication of whether the tank is provided with a visual indicator (set TRUE) that shows the water level in the tank. If no visual indicator is provided then value is set FALSE. - - - - - - - Has Visual Indicator - 目視型表示器有り - - - - タンクの水位を示す目視型表示器(TRUEに設定)が備えつけられているかどうかの表示。もし目視型表示器が備えつけられていなければ、値はFALSEと設定される。 - - - - - - 水槽関連のプロパティ  部分的な水槽は仕切られた水槽内の区分として考慮されることに注意 - - - - - Pset_TankTypeCommon - Common attributes of a tank type. - - - IfcTank - - IfcTank - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - AccessType - Defines the types of access (or cover) to a tank that may be specified. - -Note that covers are generally specified for rectangular tanks. For cylindrical tanks, access will normally be via a manhole. - - - - NONE - LOOSECOVER - MANHOLE - SECUREDCOVER - SECUREDCOVERWITHMANHOLE - OTHER - NOTKNOWN - UNSET - - - - NONE - - None - - - - - - - LOOSECOVER - - Loose Cover - - - - - - - MANHOLE - - Manhole - - - - - - - SECUREDCOVER - - Secured Cover - - - - - - - SECUREDCOVERWITHMANHOLE - - Secured Cover with Manhole - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Access Type - 点検タイプ - - - - タンクの点検口(又はカバー)のタイプの定義は明示される。カバーは一般的に矩形タンクについて明示されていることに注意。円筒形タンクの点検は通常のマンホールを通る - - - - StorageType - Defines the general material category intended to be stored. - - - - ICE - WATER - RAINWATER - WASTEWATER - POTABLEWATER - FUEL - OIL - OTHER - NOTKNOWN - UNSET - - - - ICE - - Ice - - - - - - - WATER - - Water - - - - - - - RAINWATER - - Rain Water - - - - - - - WASTEWATER - - Waste Water - - - - - - - POTABLEWATER - - Potable Water - - - - - - - FUEL - - Fuel - - - - - - - OIL - - Oil - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Storage Type - 貯蔵タイプ - - - - 一般的な材料種別が格納される - - - - NominalLengthOrDiameter - The nominal length or, in the case of a vertical cylindrical tank, the nominal diameter of the tank. - - - - - - - Nominal Length Or Diameter - 公称長さ又は直径 - - - - 公称長さ又は垂直円筒形タンクの場合、タンクの公称直径 - - - - NominalWidthOrDiameter - The nominal width or, in the case of a horizontal cylindrical tank, the nominal diameter of the tank. - -Note: Not required for a vertical cylindrical tank. - - - - - - - Nominal Width Or Diameter - 公称幅又は直径 - - - - 公称幅又は水平円筒形タンクの場合、タンクの公称直径     注:垂直円筒形タンクに対しては必須ではない - - - - NominalDepth - The nominal depth of the tank. - -Note: Not required for a horizontal cylindrical tank. - - - - - - - Nominal Depth - 公称深さ - - - - タンクの公称深さ  注:水平円筒形タンクに対しては必須ではない - - - - NominalCapacity - The total nominal or design volumetric capacity of the tank. - - - - - - - Nominal Capacity - 公称容量 - - - - タンクの総公称又は設計容量 - - - - EffectiveCapacity - The total effective or actual volumetric capacity of the tank. - - - - - - - Effective Capacity - 有効容量 - - - - タンクの総有効又は実容量 - - - - OperatingWeight - Operating weight of the tank including all of its contents. - - - - - - - Operating Weight - 運転重量 - - - - 中身全部を含んだタンクの運転重量 - - - - PatternType - Defines the types of pattern (or shape of a tank that may be specified. - - - - HORIZONTALCYLINDER - VERTICALCYLINDER - RECTANGULAR - OTHER - NOTKNOWN - UNSET - - - - HORIZONTALCYLINDER - - Horizontal Cylinder - - - - - - - VERTICALCYLINDER - - Vertical Cylinder - - - - - - - RECTANGULAR - - Rectangular - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Pattern Type - パターンタイプ - - - - 定義 パターンのタイプ(又はタンクの形状)が明示される - - - - EndShapeType - Defines the types of end shapes that can be used for preformed tanks. The convention for reading these enumerated values is that for a vertical cylinder, the first value is the base and the second is the top; for a horizontal cylinder, the order of reading should be left to right. For a speherical tank, the value UNSET should be used. - - - - CONCAVECONVEX - FLATCONVEX - CONVEXCONVEX - CONCAVEFLAT - FLATFLAT - OTHER - NOTKNOWN - UNSET - - - - CONCAVECONVEX - - Concave Convex - - - - - - - FLATCONVEX - - Flat Convex - - - - - - - CONVEXCONVEX - - Convex Convex - - - - - - - CONCAVEFLAT - - Concave Flat - - - - - - - FLATFLAT - - Flat Flat - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - End Shape Type - 末端形状タイプ - - - - 定義 予めタンクに使用することができる端形状の種類を示す。これらの列挙された値を読み取るための規則は、垂直円筒に関しては、最初の値はベースです、そして、2番目は先端です。水平円筒に関しては、値は左から右に読む必要があります。球形タンクの場合、値はUNSETを使用する必要があります。 - - - - FirstCurvatureRadius - FirstCurvatureRadius should be defined as the base or left side radius of curvature value. - - - - - - - First Curvature Radius - 最初の曲率半径 - - - - 最初の曲率半径は、基本又は曲率の値の左側の半径として定義する必要があります。 - - - - SecondCurvatureRadius - SecondCurvatureRadius should be defined as the top or right side radius of curvature value. - - - - - - - Second Curvature Radius - 2番目の曲率半径 - - - - 2番目の曲率半径は、曲率の値の先頭又は右側の半径として定義する必要があります。 - - - - NumberOfSections - Number of sections used in the construction of the tank. Default is 1. - -Note: All sections assumed to be the same size. - - - - - - - Number Of Sections - セクションの数 - - - - タンクの製作に使用されているセクションの数 既定は1つ  注:全てのセクションは同サイズと考える - - - - - - 水槽タイプ共通属性 - - - - - Pset_TankTypeExpansion - Common attributes of an expansion type tank. - - - IfcTank/EXPANSION - - IfcTank/EXPANSION - - - ChargePressure - Nominal or design operating pressure of the tank. - - - - - - - Charge Pressure - 加圧力 - - - - タンクの公称又は設計運転圧力 - - - - PressureRegulatorSetting - Pressure that is automatically maintained in the tank. - - - - - - - Pressure Regulator Setting - 圧力調整設定 - - - - タンク内で自動的に維持される圧力 - - - - ReliefValveSetting - Pressure at which the relief valve activates. - - - - - - - Relief Valve Setting - 安全弁設定 - - - - 安全弁が作動する圧力 - - - - - - 膨張タンクの共通属性 - - - - - Pset_TankTypePreformed - Fixed vessel manufactured as a single unit with one or more compartments for storing a liquid. - -Pset renamed from Pset_TankTypePreformedTank to Pset_TankTypePreformed in IFC2x2 Pset Addendum. - - - IfcTank/PREFORMED - - IfcTank/PREFORMED - - - PatternType - Defines the types of pattern (or shape of a tank that may be specified. - - - - HORIZONTALCYLINDER - VERTICALCYLINDER - RECTANGULAR - OTHER - NOTKNOWN - UNSET - - - - HORIZONTALCYLINDER - - Horizontal Cylinder - - - - - - - VERTICALCYLINDER - - Vertical Cylinder - - - - - - - RECTANGULAR - - Rectangular - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Pattern Type - パターンタイプ - - - - 定義 パターンのタイプ(又はタンクの形状)が明示される。 - - - - EndShapeType - Defines the types of end shapes that can be used for preformed tanks. The convention for reading these enumerated values is that for a vertical cylinder, the first value is the base and the second is the top; for a horizontal cylinder, the order of reading should be left to right. For a speherical tank, the value UNSET should be used. - - - - CONCAVECONVEX - FLATCONVEX - CONVEXCONVEX - CONCAVEFLAT - FLATFLAT - OTHER - NOTKNOWN - UNSET - - - - CONCAVECONVEX - - Concave Convex - - - - - - - FLATCONVEX - - Flat Convex - - - - - - - CONVEXCONVEX - - Convex Convex - - - - - - - CONCAVEFLAT - - Concave Flat - - - - - - - FLATFLAT - - Flat Flat - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - End Shape Type - 末端形状タイプ - - - - 定義 予めタンクに使用することができる端形状の種類を示す。これらの列挙された値を読み取るための規則は、垂直円筒に関しては、最初の値はベースです、そして、2番目は先端です。水平円筒に関しては、値は左から右に読む必要があります。球形タンクの場合、値はUNSETを使用する必要があります。 - - - - FirstCurvatureRadius - FirstCurvatureRadius should be defined as the base or left side radius of curvature value. - - - - - - - First Curvature Radius - 最初の曲率半径 - - - - 最初の曲率半径は、基本又は曲率の値の左側の半径として定義する必要があります。 - - - - SecondCurvatureRadius - SecondCurvatureRadius should be defined as the top or right side radius of curvature value. - - - - - - - Second Curvature Radius - 2番目の曲率半径 - - - - 2番目の曲率半径は、曲率の値の先頭又は右側の半径として定義する必要があります。 - - - - - - 液体を貯蔵するために一つ以上の区画を持ち単体として製造された固定された容器                           PsetはIFC2x2 Pset AddendumでPset_TankTypePreformedTankからPsetまで_をTankTypePreformedに改名しました。 - - - - - Pset_TankTypePressureVessel - Common attributes of a pressure vessel. - - - IfcTank/PRESSUREVESSEL - - IfcTank/PRESSUREVESSEL - - - ChargePressure - Nominal or design operating pressure of the tank. - - - - - - - Charge Pressure - 加圧力 - - - - タンクの公称又は設計運転圧力 - - - - PressureRegulatorSetting - Pressure that is automatically maintained in the tank. - - - - - - - Pressure Regulator Setting - 圧力調整設定 - - - - タンク内で自動的に維持される圧力 - - - - ReliefValveSetting - Pressure at which the relief valve activates. - - - - - - - Relief Valve Setting - 安全弁設定 - - - - 安全弁が作動する圧力 - - - - - - 圧力容器の共通属性 - - - - - Pset_TankTypeSectional - Fixed vessel constructed from sectional parts with one or more compartments for storing a liquid. - -Note (1): All sectional construction tanks are considered to be rectangular by default. -Note (2): Generally, it is not expected that sectional construction tanks will be used for the purposes of gas storage. - -Pset renamed from Pset_TankTypeSectionalTank to Pset_TankTypeSectional in IFC2x2 Pset Addendum. - - - IfcTank/SECTIONAL - - IfcTank/SECTIONAL - - - NumberOfSections - Number of sections used in the construction of the tank - -Note: All sections assumed to be the same size. - - - - - - - Number Of Sections - セクションの数 - - - - タンクの製作に使用されているセクションの数 -注:全てのセクションは同サイズと考える - - - - SectionLength - The length of a section used in the construction of the tank. - - - - - - - Section Length - セクションの長さ - - - - タンクの製作に使用されているセクションの長さ - - - - SectionWidth - The width of a section used in the construction of the tank. - - - - - - - Section Width - セクションの幅 - - - - タンクの製作に使用されているセクションの幅 - - - - - - 液体を貯蔵するために一つ以上の区画を持ち組立部品から造られている固定された容器  注(1):全ての組立式タンクは矩形をデフォルトと考えられている。注(2):一般的に、組立式タンクは気体を貯蔵する目的のために使用されることは考えていない。                                      PsetはIFC2x2 Pset AddendumでPset_TankTypeSectionalTankからPsetまで_をTankTypeSectionalに改名しました。 - - - - - Pset_ThermalLoadAggregate - The aggregated thermal loads experienced by one or many spaces, zones, or buildings. This aggregate thermal load information is typically addressed by a system or plant. HISTORY: New property set in IFC Release 1.0 (Pset_AggregateLoadInformation); renamed Pset_ThermalLoadAggregate in IFC2x2. - - - IfcSpatialElement - - IfcSpatialElement - - - TotalCoolingLoad - The peak total cooling load for the building, zone or space. - - - - - - - Total Cooling Load - 冷房負荷 - 냉방부하 - - - - 建物、ゾーン、部屋のピーク時の冷房負荷。 - 건물 영역 방 피크 냉방 부하. - - - - TotalHeatingLoad - The peak total heating load for the building, zone or space. - - - - - - - Total Heating Load - 暖房負荷 - 난방 부하 - - - - 建物、ゾーン、部屋のピーク時の暖房負荷。 - 건물 영역 방 최대 난방 부하. - - - - LightingDiversity - Lighting diversity. - - - - - - - Lighting Diversity - 照明負荷係数 - 조명 부하계수 - - - - 照明負荷係数。 - 조명 부하 계수. - - - - InfiltrationDiversitySummer - Diversity factor for Summer infiltration. - - - - - - - Infiltration Diversity Summer - 夏期すき間換気率 - 여름 틈새 환기 비율 - - - - 夏期すき間換気率。 - 여름 틈새 환기 비율. - - - - InfiltrationDiversityWinter - Diversity factor for Winter infiltration. - - - - - - - Infiltration Diversity Winter - 冬期すき間換気率 - 겨울철 틈새 환기비율 - - - - 冬期すき間換気率。 - 겨울철 틈새 환기 비율. - - - - ApplianceDiversity - Diversity of appliance load. - - - - - - - Appliance Diversity - 機器の負荷率 - 기기의 부하율 - - - - 機器の負荷率。 - 기기의 부하율. - - - - LoadSafetyFactor - Load safety factor. - - - - - - - Load Safety Factor - 負荷の安全率 - 부하의 안전율 - - - - 空調負荷計算用の安全率(割増係数)。 - 공조 부하 계산을위한 안전율 (할증 계수). - - - - - - 戸別或いは複数の部屋、ゾーン、建物の熱負荷の集計。この集計した熱負荷情報は一般にシステムあるいはプラントによって扱われる。履歴:IFC1.0の新PropertySet(Pset_AggregateLoadInformation)、:IFC2x2に新たにPset_ThermalLoadAggregateと定義された。 - - - - - Pset_ThermalLoadDesignCriteria - Building thermal load design data that are used for calculating thermal loads in a space or building. HISTORY: New property set in IFC Release 1.0 (Pset_LoadDesignCriteria); renamed Pset_ThermalLoadDesignCriteria in IFC2x2. - - - IfcSpatialElement - - IfcSpatialElement - - - OccupancyDiversity - Diversity factor that may be applied to the number of people in the space. - - - - - - - Occupancy Diversity - 居住者の在室率 - 거주자의 재실 비율 - - - - 室内居住者の在室率。 - 실내 거주자의 재실 비율. - - - - OutsideAirPerPerson - Design quantity of outside air to be provided per person in the space. - - - - - - - Outside Air Per Person - 1人あたりの外気量 - 당 외기량 - - - - 1人あたりの外気量の設計値。 - 당 외기 량의 설계 값. - - - - ReceptacleLoadIntensity - Average power use intensity of appliances and other non-HVAC equipment in the space per unit area.(PowerMeasure/IfcAreaMeasure). - - - - - - - Receptacle Load Intensity - 単位面積あたり事務機器の平均電力消費量 - 단위면적 당 사무기기 평균 전력 소비량 - - - - 単位面積あたり事務機器など非空調設備の平均電力消費量。 -(PowerMeasure/IfcAreaMeasure) - 단위 면적 당 사무 기기 등 비 공조 설비의 평균 전력 소비. (PowerMeasure / IfcAreaMeasure) - - - - AppliancePercentLoadToRadiant - Percent of sensible load to radiant heat. - - - - - - - Appliance Percent Load To Radiant - 放射熱のうち顕熱分の割合 - 복사열 중 현열 분의 비율 - - - - 放射熱のうち顕熱分負荷の割合。 - 복사열 중 현열 분 부하의 비율. - - - - LightingLoadIntensity - Average lighting load intensity in the space per unit area (PowerMeasure/IfcAreaMeasure). - - - - - - - Lighting Load Intensity - 照明負荷率 - 조명 부하율 - - - - 単位面積あたり照明機器の平均電力消費量。 -(PowerMeasure/IfcAreaMeasure) - 단위 면적 당 조명의 평균 전력 소비. (PowerMeasure / IfcAreaMeasure) - - - - LightingPercentLoadToReturnAir - Percent of lighting load to the return air plenum. - - - - - - - Lighting Percent Load To Return Air - リタン空気への照明機器の放熱率 - 리탄 공기에 조명 기기의 방열 비율 - - - - 照明機器からリタン空気(天井裏)への放熱率。 - 조명 기기에서 폴리탄 공기 (천장)의 방열 속도. - - - - - - 部屋や建物の熱負荷の計算のために使用される建物の熱負荷設計データ。履歴:IFC1.0の新PropertySet(Pset_LoadDesignCriteria)、:IFC2x2に新たにPset_ThermalLoadDesignCriteriaと定義された。 - - - - - Pset_TransformerTypeCommon - An inductive stationary device that transfers electrical energy from one circuit to another. - - - IfcTransformer - - IfcTransformer - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照 - 참조 - - - - このプロジェクト (例. 'A-1' タイプなど)で指定された参照ID。認められた分類体系の分類参照が存在しない場合に適用される。 - 이 프로젝트 (예 : 'A-1'유형 등) 지정된 참조 ID. 인정 분류 체계의 분류 참조가없는 경우에 적용된다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - PrimaryVoltage - The voltage that is going to be transformed and that runs into the transformer on the primary side. - - - - - - - Primary Voltage - 第1電圧 - 제 1 전압 - - - - 変圧器の1次側に伝送される電圧。 - 변압기 1 차 측에 전송되는 전압. - - - - SecondaryVoltage - The voltage that has been transformed and is running out of the transformer on the secondary side. - - - - - - - Secondary Voltage - 第2電圧 - 두번째 전압 - - - - 変圧器の2次側へ出力される電圧。 - 변압기 2 차 측에 전송되는 전압. - - - - PrimaryCurrent - The current that is going to be transformed and that runs into the transformer on the primary side. - - - - - - - Primary Current - 第1電流 - 제 1 전류 - - - - 変圧器の1次側に伝送される電流。 - 변압기 1 차 측에 전송되는 전류. - - - - SecondaryCurrent - The current that has been transformed and is running out of the transformer on the secondary side. - - - - - - - Secondary Current - 第2電流 - 제 2 전류 - - - - 変圧器の2次側へ出力される電流。 - 변압기 2 차 측에 전송되는 전류. - - - - PrimaryFrequency - The frequency that is going to be transformed and that runs into the transformer on the primary side. - - - - - - - Primary Frequency - 第1周波数 - 제 1 주파수 - - - - 変圧器の1次側に伝送される周波数。 - 변압기 1 차 측에 전송되는 주파수. - - - - SecondaryFrequency - The frequency that has been transformed and is running out of the transformer on the secondary side. - - - - - - - Secondary Frequency - 第2周波数 - 제 2 주파수 - - - - 変圧器の2次側に出力される周波数。 - 변압기 2 차 측에 전송되는 주파수. - - - - PrimaryApparentPower - The power in VA (volt ampere) that has been transformed and that runs into the transformer on the primary side. - - - - - - - Primary Apparent Power - 第1電力 - 제 1 전력 - - - - 変圧器の1次側に伝送される電力(VA: アンペア)。 - 변압기 1 차 측에 전송되는 전력 (VA : 암페어). - - - - SecondaryApparentPower - The power in VA (volt ampere) that has been transformed and is running out of the transformer on the secondary side. - - - - - - - Secondary Apparent Power - 第2電力 - 제 2 전원 - - - - 変圧器の2次側へ出力される電力(VA: アンペア)。 - 변압기 2 차측으로 출력되는 전력 (VA : 암페어). - - - - MaximumApparentPower - Maximum apparent power/capacity in VA (volt ampere). - - - - - - - Maximum Apparent Power - 最大電力 - 최대 전력 - - - - 皮相電力/容量 の最大値 (VA:アンペア)。 - 피상 전력 / 용량 최대 (VA : 암페어). - - - - SecondaryCurrentType - A list of the secondary current types that can result from transformer output. - - - - AC - DC - NOTKNOWN - UNSET - - - - AC - - Ac - - - - - - - DC - - Dc - - - - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Secondary Current Type - 第2電流タイプ - 제 2 전류 타입 - - - - 変圧器より出力される第2電流の種類の一覧。 - 변압기에서 출력되는 제 2 전류의 종류 목록입니다. - - - - ShortCircuitVoltage - A complex number that specifies the real and imaginary parts of the short-circuit voltage at rated current of a transformer given in %. - - - - - - - Short Circuit Voltage - 短絡電圧 - 단락 전압 - - - - %で与えられる変圧器の定格電流における短絡電圧の実数と虚数を定義する複素数。 - %에서 주어진 변압기 정격 전류의 단락 전압의 실수와 허수를 정의하는 복소수. - - - - RealImpedanceRatio - The ratio between the real part of the zero sequence impedance and the real part of the positive impedance (i.e. real part of the short-circuit voltage) of the transformer. -Used for three-phase transformer which includes a N-conductor. - - - - - - - Real Impedance Ratio - インピーダンス実部比率 - 임피던스 실수 부 비율 - - - - 零相インピーダンスと正相インピーダンス(例.短絡電圧の実部)の間の比率。N-コンダクターを含む三相トランスのために使用。 - 영 상 임피던스와 양의 상 임피던스 (예 : 단락 전압의 실제 부분) 사이의 비율. N-지휘자를 포함 삼상 변압기에 사용됩니다. - - - - ImaginaryImpedanceRatio - The ratio between the imaginary part of the zero sequence impedance and the imaginary part of the positive impedance (i.e. imaginary part of the short-circuit voltage) of the transformer. -Used for three-phase transformer which includes a N-conductor. - - - - - - - Imaginary Impedance Ratio - インピーダンス虚部比率 - 임피던스 허수 부 비율 - - - - 零相インピーダンスと正相インピーダンス(例.短絡電圧の虚部)の間の比率。N-コンダクターを含む三相トランスのために使用。 - 영 상 임피던스와 양의 상 임피던스 (예 : 단락 전압 국소 부) 사이의 비율. N-지휘자를 포함 삼상 변압기에 사용됩니다. - - - - TransformerVectorGroup - List of the possible vector groups for the transformer from which that required may be set. Values in the enumeration list follow a standard international code where the first letter describes how the primary windings are connected, -the second letter describes how the secondary windings are connected, and the numbers describe the rotation of voltages and currents from the primary to the secondary side in multiples of 30 degrees. - -D: means that the windings are delta-connected. -Y: means that the windings are star-connected. -Z: means that the windings are zig-zag connected (a special start-connected providing low reactance of the transformer); -The connectivity is only relevant for three-phase transformers. - - - - DD0 - DD6 - DY5 - DY11 - YD5 - YD11 - DZ0 - DZ6 - YY0 - YY6 - YZ5 - YZ11 - OTHER - NOTKNOWN - UNSET - - - - DD0 - - Dd0 - - - - - - - DD6 - - Dd6 - - - - - - - DY5 - - Dy5 - - - - - - - DY11 - - Dy11 - - - - - - - YD5 - - Yd5 - - - - - - - YD11 - - Yd11 - - - - - - - DZ0 - - Dz0 - - - - - - - DZ6 - - Dz6 - - - - - - - YY0 - - Yy0 - - - - - - - YY6 - - Yy6 - - - - - - - YZ5 - - Yz5 - - - - - - - YZ11 - - Yz11 - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Transformer Vector Group - - - - - - - IsNeutralPrimaryTerminalAvailable - An indication of whether the neutral point of the primary winding is available as a terminal (=TRUE) or not (= FALSE). - - - - - - - Is Neutral Primary Terminal Available - 中性点第1ターミナルがあるかどうか - 중성점 제 1 터미널 여부 - - - - 一次巻線の中性点がターミナルの場合は(=TRUE)、違う場合は(= FALSE)として表示する - 1차 권선의 중성점 터미널의 경우 (= TRUE), 다른 경우는 (= FALSE)로 표시 - - - - IsNeutralSecondaryTerminalAvailable - An indication of whether the neutral point of the secondary winding is available as a terminal (=TRUE) or not (= FALSE). - - - - - - - Is Neutral Secondary Terminal Available - 中性点第2ターミナルがあるかどうか - 중성점 제 2 터미널 여부 - - - - 二次巻線の中性点がターミナルの場合は(=TRUE)、違う場合は(= FALSE)として表示する - 2 차 코일의 중성점 터미널의 경우 (= TRUE), 다른 경우는 (= FALSE)로 표시 - - - - - - 1つの回路からもう一つへ電気エネルギーを移す電磁誘導装置。 - - - - - Pset_TransportElementCommon - Properties common to the definition of all occurrences of IfcTransportElement or IfcTransportElementType - - - IfcTransportElement - - IfcTransportElement - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). Used to store the non-classification driven internal construction type. - - - - - - - Komponententyp - Reference - Reference - 参照記号 - 참조 ID - - - Bezeichnung zur Zusammenfassung gleichartiger Komponenten zu einem Komponententyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1"). Utilisé pour enregistrer un type sans recourir à une classification. - 参照するID番号。 - 이 프로젝트의 참조 ID (예 : A-1). 분류 코드가 아닌 내부에서 사용되는 프로젝트 형식으로 사용됩니다. - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - CapacityPeople - Capacity of the transportation element measured in numbers of person. - - - - - - - Personenkapazität - Capacity People - Capacité en nombre de personnes - 搭乗人数定員 - - - Kapazität nach Anzahl der Personen, die maximal befördert werden können. - - Capacité de transport de l'élément mesurée en nombre de personnes. - 搬送要素の人数に関する容量。 - - - - CapacityWeight - Capacity of the transport element measured by weight. - - - - - - - Lastkapazität - Capacity Weight - Capacité en poids - 搭載重量 - - - Kapazität nach Gewicht, das maximal befördert werden kann. - - Capacité de transport de l'élément mesurée par le poids. - 搬送要素の重さに関する容量。 - - - - FireExit - Indication whether this object is designed to serve as an exit in the case of fire (TRUE) or not (FALSE). -Here whether the transport element (in case of e.g., a lift) is designed to serve as a fire exit, e.g., for fire escape purposes. - - - - - - - Rettungsweg - Fire Exit - SortieSecours - 避難出口 - 화재 출구 (피난 출구) - - - Angabe ob dieses Transportelement als Rettungsweg im Brandfall zulässig ist (WAHR) oder nicht (FALSCH). - - Indication si l'objet est conçu pour servir de sortie en cas d'incendie (VRAI) ou non (FAUX). Cas d'un élément de transport comme un ascenseur conçu pour l'évacuation en cas d'incendie. - 避難出口(TRUE)か、通常の出口(FALSE)かを示すフラグ。 - 이 물체가 화재의 경우 출구로 사용되도록 설계되었는지 여부를 나타내는 부울 값입니다. 여기에 공간 (예 복도), 예를 들면 화재 피난 목적을 위해 출구 공간으로 사용하도록 설계되었는지 여부 - - - - - Property Set Definition in German - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de la classe IfcTransportElement - 交通要素共通事項。 - - - - - Pset_TransportElementElevator - Properties common to the definition of all occurrences of IfcTransportElement with the predefined type ="ELEVATOR" - - - IfcTransportElement/ELEVATOR - - IfcTransportElement/ELEVATOR - - - FireFightingLift - Indication whether the elevator is designed to serve as a fire fighting lift the case of fire (TRUE) or not (FALSE). A fire fighting lift is used by fire fighters to access the location of fire and to evacuate people. - - - - - - - Feuerwehraufzug - Fire Fighting Lift - LargeurPassage - 消防エレベーター - - - Angabe, ob der Aufzug als ein Feuerwerksaufzug vorgesehen ist (WAHR) oder nicht (FALSCH). Ein Feuerwehraufzug ist ein besonders abgesicherter Aufzug der der Feuerwehr im Branfall ein Erreichen der Branetage ermöglicht. - - Indique si l'ascenseur est conçu pour servir d'ascenseur pompier (VRAI) ou non (FAUX). Un ascenseur pompier est utilisé par les pompiers pour accéder à l'endroit du feu et évacuer les personnes. - 火災時に消防エレベーターとしての利用を想定して設計されているかどうかを示す。消防エレベーターは火災現場へ消防士を運んだり人を避難させるために使われる。 - - - - ClearWidth - Clear width of the object (elevator). It indicates the distance from the inner surfaces of the elevator car left and right from the elevator door. -The shape information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the shape properties, provided in the attached property, the geometric parameters take precedence. - - - - - - - Clear Width - Largeur du passage - 幅員 - - - - Largeur du passage de l'ascenseur. Elle indique la distance entre les surfaces intérieures gauche et droite de la cabine depuis la porte de l'ascenseur. Cette propriété est donnée en complément de la représentation de la forme de l'élément et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. - オブジェクト(エレベータ)の幅。エレベータ昇降機内部表面の左から右の距離を示す。 -形状表現は、Shape representation(IFCの幾何形状表現)およびそこで設定されている幾何形状パラメータにより与えられる。もし、幾何形状パラメータと形状プロパティ情報が一致しない場合は、形状パラメータの値を優先する。 - - - - ClearDepth - Clear depth of the object (elevator). It indicates the distance from the inner surface of the elevator door to the opposite surface of the elevator car. -The shape information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the shape properties, provided in the attached property, the geometric parameters take precedence. - - - - - - - Clear Depth - Profondeur de passage - 奥行き - - - - Profondeur de l'ascenseur. Elle indique la distance entre la face intérieure de la porte et la face opposée de la cabine de l'ascenseur. Cette propriété est donnée en complément de la représentation de la forme de l'élément et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. - オブジェクト(エレベータ)の奥行き。エレベータドアの内部表面から、反対側の表面までの距離を示す。 -形状表現は、Shape representation(IFCの幾何形状表現)およびそこで設定されている幾何形状パラメータにより与えられる。もし、幾何形状パラメータと形状プロパティ情報が一致しない場合は、形状パラメータの値を優先する。 - - - - ClearHeight - Clear height of the object (elevator). -The shape information is provided in addition to the shape representation and the geometric parameters used within. In cases of inconsistency between the geometric parameters and the shape properties, provided in the attached property, the geometric parameters take precedence. - - - - - - - Clear Height - Hauteur de passage - 高さ - - - - Hauteur du passage de l'ascenseur. Cette propriété est donnée en complément de la représentation de la forme de l'élément et des paramètres géométriques qui la déterminent. En cas d'incohérence entre ces paramètres géométriques et cette propriété, ce sont les paramètres géométriques qui priment. - オブジェクト(エレベータ)の高さ。エレベータドアの内部の床面から天井までの距離を示す。 -形状表現は、Shape representation(IFCの幾何形状表現)およびそこで設定されている幾何形状パラメータにより与えられる。もし、幾何形状パラメータと形状プロパティ情報が一致しない場合は、形状パラメータの値を優先する。 - - - - - Property Set Definition in German - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de la classe IfcTransportElement de type ELEVATOR. - タイプが既定義の"ELEVATOR"であるIfcTransportElementすべてに共通な属性の定義。 - - - - - Pset_TubeBundleTypeCommon - Tube bundle type common attributes. - - - IfcTubeBundle - - IfcTubeBundle - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - NumberOfRows - Number of tube rows in the tube bundle assembly. - - - - - - - Number Of Rows - 列数 - - - - チューブの集合の組立におけるチューブ列数 - - - - StaggeredRowSpacing - Staggered tube row spacing. - - - - - - - Staggered Row Spacing - 互い違いの列間隔 - - - - 互い違いのチューブ列間隔 - - - - InLineRowSpacing - In-line tube row spacing. - - - - - - - In Line Row Spacing - インライン列間隔 - - - - インラインチューブ列間隔 - - - - NumberOfCircuits - Number of parallel fluid tube circuits. - - - - - - - Number Of Circuits - 平行流回路数 - - - - 平行流チューブ回路数 - - - - FoulingFactor - Fouling factor of the tubes in the tube bundle. - - - - - - - Fouling Factor - 汚れ係数 - - - - チューブ束のチューブ汚れ係数 - - - - ThermalConductivity - The thermal conductivity of the tube. - - - - - - - Thermal Conductivity - 熱伝導率 - - - - チューブの熱伝導率 - - - - Length - Length of the tubes in the tube bundle. - - - - - - - Length - 長さ - - - - チューブ束のチューブ長さ - - - - Volume - Total volume of fluid in the tubes and their headers. - - - - - - - Volume - 流量 - - - - チューブとヘッダー内の総流量 - - - - NominalDiameter - Nominal diameter or width of the tubes in the tube bundle. - - - - - - - Nominal Diameter - 公称直径 - - - - チューブ束内のチューブ公称直径又は幅 - - - - OutsideDiameter - Actual outside diameter of the tube in the tube bundle. - - - - - - - Outside Diameter - 外径 - - - - チューブ束内のチューブ実外径 - - - - InsideDiameter - Actual inner diameter of the tube in the tube bundle. - - - - - - - Inside Diameter - 内径 - - - - チューブ束内のチューブ実内径 - - - - HorizontalSpacing - Horizontal spacing between tubes in the tube bundle. - - - - - - - Horizontal Spacing - 水平間隔 - - - - チューブ束内のチューブ間水平間隔 - - - - VerticalSpacing - Vertical spacing between tubes in the tube bundle. - - - - - - - Vertical Spacing - 垂直間隔 - - - - チューブ束内のチューブ間垂直間隔 - - - - HasTurbulator - TRUE if the tube has a turbulator, FALSE if it does not. - - - - - - - Has Turbulator - かくはん器有り - - - - かくはん器有りの時 TRUE、無しの時 FALSE - - - - - - チューブ束タイプ共通プロパティ属性設定。 - - - - - Pset_TubeBundleTypeFinned - Finned tube bundle type attributes. -Contains the attributes related to the fins attached to a tube in a finned tube bundle such as is commonly found in coils. - - - IfcTubeBundle/FINNED - - IfcTubeBundle/FINNED - - - Spacing - Distance between fins on a tube in the tube bundle. - - - - - - - Spacing - 間隔 - - - - チューブ束内のフィン間の距離 - - - - Thickness - Thickness of the fin. - - - - - - - Thickness - 厚さ - - - - フィンの厚さ - - - - ThermalConductivity - The thermal conductivity of the fin. - - - - - - - Thermal Conductivity - 熱伝導率 - - - - フィンの熱伝導率 - - - - Length - Length of the fin as measured parallel to the direction of airflow. - - - - - - - Length - 長さ - - - - 気流方向に平行に計られたフィンの長さ - - - - Height - Length of the fin as measured perpendicular to the direction of airflow. - - - - - - - Height - 高さ - - - - 気流方向に垂直に計られたフィンの長さ - - - - Diameter - Actual diameter of a fin for circular fins only. - - - - - - - Diameter - 直径 - - - - 円形フィンのみ、フィンの実直径 - - - - FinCorrugatedType - Description of a fin corrugated type. - - - - - - - Fin Corrugated Type - コルゲートタイプフィン - - - - コルゲートタイプフィンの実直径 - - - - HasCoating - TRUE if the fin has a coating, FALSE if it does not. - - - - - - - Has Coating - コーティング有り - - - - フィンがコーティング有りの場合 TRUE、無しの場合FALSE - - - - - - フィンタイプチューブ束属性.一般にコイルに見られるように、フィンチューブ束内のチューブに付いているフィンに関する属性を含む - - - - - Pset_UnitaryControlElementPHistory - Properties for history and operating schedules of thermostats. HISTORY: Added in IFC4. - - - IfcUnitaryControlElement - - IfcUnitaryControlElement - - - Temperature - Indicates the current measured temperature. - - - - - Temperature - - - - - - - Mode - Indicates operation mode corresponding to Pset_UnitaryControlTypeCommon.Mode. For example, 'HEAT', 'COOL', 'AUTO'. - - - - - Mode - - - - - - - Fan - Indicates fan operation where True is on, False is off, and Unknown is automatic. - - - - - Fan - - - - - - - SetPoint - Indicates the temperature setpoint. For thermostats with setbacks or separate high and low setpoints, then the time series may contain a pair of values at each entry where the first value is the heating setpoint (low) and the second value is the cooling setpoint (high). - - - - - Set Point - - - - - - - - - - - - - Pset_UnitaryControlElementTypeCommon - Unitary control element type common attributes. HISTORY: Added in IFC4. - - - IfcUnitaryControlElement - - IfcUnitaryControlElement - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照記号 - 참조 ID - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 해당 프로젝트에서 사용이 유형에 대한 참조 ID (예 : 'A-1') ※ 기본이있는 경우 그 기호를 사용 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - Mode - Table mapping operation mode identifiers to descriptive labels, which may be used for interpreting Pset_UnitaryControlElementPHistory.Mode. - - - - - - - - - - - - - Mode - - - - - - - - - 単一のコントロール要素の共通属性。 - - - - - Pset_UnitaryControlElementTypeIndicatorPanel - Unitary control element type indicator panel attributes. HISTORY: Added in IFC4. - - - IfcUnitaryControlElement/INDICATORPANEL - - IfcUnitaryControlElement/INDICATORPANEL - - - Application - The application of the unitary control element. - - - - LiftPositionIndicator - LiftHallLantern - LiftArrivalGong - LiftCarDirectionLantern - LiftFireSystemsPort - LiftVoiceAnnouncer - OTHER - NOTKNOWN - UNSET - - - - LIFTPOSITIONINDICATOR - - Lift Position Indicator - - - - - - - LIFTHALLLANTERN - - Lift Hall Lantern - - - - - - - LIFTARRIVALGONG - - Lift Arrival Gong - - - - - - - LIFTCARDIRECTIONLANTERN - - Lift Car Direction Lantern - - - - - - - LIFTFIRESYSTEMSPORT - - Lift Fire Systems Port - - - - - - - LIFTVOICEANNOUNCER - - Lift Voice Announcer - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Application - - - - - - - - - - - - - Pset_UnitaryControlElementTypeThermostat - Unitary control element type thermostat attributes. HISTORY: Added in IFC4. - - - IfcUnitaryControlElement/THERMOSTAT - - IfcUnitaryControlElement/THERMOSTAT - - - TemperatureSetPoint - The temperature setpoint range and default setpoint. - - - - - - - Temperature Set Point - - - - - - - - - - - - - Pset_UnitaryEquipmentTypeAirConditioningUnit - Air conditioning unit equipment type attributes. -Note that these attributes were formely Pset_PackagedACUnit prior to IFC2x2. -HeatingEnergySource attribute deleted in IFC2x2 Pset Addendum: Use IfcEnergyProperties, IfcFuelProperties, etc. instead. - - - IfcUnitaryEquipment/AIRCONDITIONINGUNIT - - IfcUnitaryEquipment/AIRCONDITIONINGUNIT - - - SensibleCoolingCapacity - Sensible cooling capacity. - - - - - - - Sensible Cooling Capacity - 顕熱冷却能力 - - - - 顕熱冷却能力 - - - - LatentCoolingCapacity - Latent cooling capacity. - - - - - - - Latent Cooling Capacity - 潜熱冷却能力 - - - - 潜熱冷却能力 - - - - CoolingEfficiency - Coefficient of Performance: Ratio of cooling energy output to energy input under full load operating conditions. - - - - - - - Cooling Efficiency - 冷却効率 - - - - 性能係数全負荷運転状態でのエネルギー入力に対する冷却エネルギー出力の割合 - - - - HeatingCapacity - Heating capacity. - - - - - - - Heating Capacity - 加熱容量 - - - - 加熱容量 - - - - HeatingEfficiency - Heating efficiency under full load heating conditions. - - - - - - - Heating Efficiency - 加熱効率 - - - - 全負荷加熱状態での熱効率 - - - - CondenserFlowrate - Flow rate of fluid through the condenser. - - - - - - - Condenser Flowrate - 凝縮器流量 - - - - 凝縮器を通る流体の流量 - - - - CondenserEnteringTemperature - Temperature of fluid entering condenser. - - - - - - - Condenser Entering Temperature - 凝縮器入口温度 - - - - 凝縮器入口流体温度 - - - - CondenserLeavingTemperature - Termperature of fluid leaving condenser. - - - - - - - Condenser Leaving Temperature - 凝縮器出口温度 - - - - 凝縮器出口流体温度 - - - - OutsideAirFlowrate - Flow rate of outside air entering the unit. - - - - - - - Outside Air Flowrate - 外気流量 - - - - ユニットに入る外気流量 - - - - - - エアコンユニット - - - - - Pset_UnitaryEquipmentTypeAirHandler - Air handler unitary equipment type attributes. -Note that these attributes were formerly Pset_AirHandler prior to IFC2x2. - - - IfcUnitaryEquipment/AIRHANDLER - - IfcUnitaryEquipment/AIRHANDLER - - - AirHandlerConstruction - Enumeration defining how the air handler might be fabricated. - - - - MANUFACTUREDITEM - CONSTRUCTEDONSITE - OTHER - NOTKNOWN - UNSET - - - - MANUFACTUREDITEM - - Manufactured Item - - - - - - - CONSTRUCTEDONSITE - - Constructed On Site - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Air Handler Construction - 空調機製造 - - - - 空調機の組立方法の定義の列挙 - - - - AirHandlerFanCoilArrangement - Enumeration defining the arrangement of the supply air fan and the cooling coil. - - - - BLOWTHROUGH - DRAWTHROUGH - OTHER - NOTKNOWN - UNSET - - - - BLOWTHROUGH - - Blow Through - - - - - - - DRAWTHROUGH - - Draw Through - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Air Handler Fan Coil Arrangement - 空調機ファン・コイル配列 - - - - 給気ファンと冷却コイルの配置の定義列挙 - - - - DualDeck - Does the AirHandler have a dual deck? TRUE = Yes, FALSE = No. - - - - - - - Dual Deck - 2層 - - - - 空調機は2層になっているか -TRUE=はい、FALSE=Iいいえ - - - - - - エアハンドリングユニットのプロパティ属性設定。 - - - - - Pset_UnitaryEquipmentTypeCommon - Unitary equipment type common attributes. - - - IfcUnitaryEquipment - - IfcUnitaryEquipment - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - 機器共通 - - - - - Pset_UtilityConsumptionPHistory - Consumption of utility resources, typically applied to the IfcBuilding instance, used to identify how much was consumed on I.e., a monthly basis. - - - IfcBuilding - - IfcBuilding - - - Heat - The amount of heat energy consumed during the period specified in the time series. - - - - - Heat - 열 소비량 - - - - 특정 기간 동안의 열 소비. - - - - Electricity - The amount of electricity consumed during the period specified in the time series. - - - - - Electricity - 전력 소비량 - - - - 특정 기간 동안의 전력 소비. - - - - Water - The amount of water consumed during the period specified in the time series. - - - - - Water - 물소비 - - - - 특정 기간 동안 물 소비. - - - - Fuel - The amount of fuel consumed during the period specified in the time series. - - - - - Fuel - 연료 소비량 - - - - 특정 기간 동안의 연료 소비. - - - - Steam - The amount of steam consumed during the period specified in the time series. - - - - - Steam - 증기소비량 - - - - 특정 기간 동안 증기 소비. - - - - - - - - - - Pset_ValvePHistory - Valve performance history common attributes of a typical 2 port pattern type valve. - - - IfcValve - - IfcValve - - - PercentageOpen - The ratio between the amount that the valve is open to the full open position of the valve. - - - - - Percentage Open - パーセント開度 - - - - 全開時に対する開度量の比率。 - - - - MeasuredFlowRate - The rate of flow of a fluid measured across the valve. - - - - - Measured Flow Rate - 計測流量 - - - - バルブを通過する流体の計測された流量 - - - - MeasuredPressureDrop - The actual pressure drop in the fluid measured across the valve. - - - - - Measured Pressure Drop - 計測圧力降下 - - - - バルブを通過する際の計測された圧力降下 - - - - - - バルブの履歴 - - - - - Pset_ValveTypeAirRelease - Valve used to release air from a pipe or fitting. -Note that an air release valve is constrained to have a single port pattern - - - IfcValve/AIRRELEASE - - IfcValve/AIRRELEASE - - - IsAutomatic - Indication of whether the valve is automatically operated (TRUE) or manually operated (FALSE). - - - - - - - Is Automatic - 自動 - - - - 弁が自動(TRUE)で操作されるか手動(FALSE)で操作されるかの表示 - - - - - - 弁タイプ空気抜き弁 - - - - - Pset_ValveTypeCommon - Valve type common attributes. - - - IfcValve - - IfcValve - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - - - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - - - - ValvePattern - The configuration of the ports of a valve according to either the linear route taken by a fluid flowing through the valve or by the number of ports where: - -SINGLEPORT: Valve that has a single entry port from the system that it serves, the exit port being to the surrounding environment. -ANGLED_2_PORT: Valve in which the direction of flow is changed through 90 degrees. -STRAIGHT_2_PORT: Valve in which the flow is straight through. -STRAIGHT_3_PORT: Valve with three separate ports. -CROSSOVER_4_PORT: Valve with 4 separate ports. - - - - SINGLEPORT - ANGLED_2_PORT - STRAIGHT_2_PORT - STRAIGHT_3_PORT - CROSSOVER_4_PORT - OTHER - NOTKNOWN - UNSET - - - - SINGLEPORT - - Single Port - - - Valve that has a single entry port from the system that it serves, the exit port being to the surrounding environment - - - - ANGLED_2_PORT - - Angled 2 Port - - - Valve in which the direction of flow is changed through 90 degrees - - - - STRAIGHT_2_PORT - - Straight 2 Port - - - Valve in which the flow is straight through - - - - STRAIGHT_3_PORT - - Straight 3 Port - - - Valve with three separate ports - - - - CROSSOVER_4_PORT - - Crossover 4 Port - - - Valve with 4 separate ports - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Valve Pattern - 弁の形 - - - - 単一ポートSINGLEPORT()=システムで単一入口ポートを持ち、出口ポートは周囲環境である 2ポート直角型(ANGLED_2_PORT)=中で流れ方向が完全に90度変わる弁 2ポート直行型(STRAIGHT_2_PORT)=中で流れが真っ直ぐな弁 3ポート直行型(STRAIGHT_3_PORT)=3つの別々のポートを持つ 4ポート交差型(CROSSOVER_4_PORT)=4つの別々のポートを持つ - - - - ValveOperation - The method of valve operation where: - -DROPWEIGHT: A valve that is closed by the action of a weighted lever being released, the weight normally being prevented from dropping by being held by a wire, the closure normally being made by the action of heat on a fusible link in the wire -FLOAT: A valve that is opened and closed by the action of a float that rises and falls with water level. The float may be a ball attached to a lever or other mechanism -HYDRAULIC: A valve that is opened and closed by hydraulic actuation -LEVER: A valve that is opened and closed by the action of a lever rotating the gate within the valve. -LOCKSHIELD: A valve that requires the use of a special lockshield key for opening and closing, the operating mechanism being protected by a shroud during normal operation. -MOTORIZED: A valve that is opened and closed by the action of an electric motor on an actuator -PNEUMATIC: A valve that is opened and closed by pneumatic actuation -SOLENOID: A valve that is normally held open by a magnetic field in a coil acting on the gate but that is closed immediately if the electrical current generating the magnetic field is removed. -SPRING: A valve that is normally held in position by the pressure of a spring on a plate but that may be caused to open if the pressure of the fluid is sufficient to overcome the spring pressure. -THERMOSTATIC: A valve in which the ports are opened or closed to maintain a required predetermined temperature. -WHEEL: A valve that is opened and closed by the action of a wheel moving the gate within the valve. - - - - - - DROPWEIGHT - - Drop Weight - - - A valve that is closed by the action of a weighted lever being released, the weight normally being prevented from dropping by being held by a wire, the closure normally being made by the action of heat on a fusible link in the wire - - - - FLOAT - - Float - - - A valve that is opened and closed by the action of a float that rises and falls with water level - - - - HYDRAULIC - - Hydraulic - - - A valve that is opened and closed by hydraulic actuation - - - - LEVER - - Lever - - - A valve that is opened and closed by the action of a lever rotating the gate within the valve - - - - LOCKSHIELD - - Lock Shield - - - A valve that requires the use of a special lockshield key for opening and closing, the operating mechanism being protected by a shroud during normal operation - - - - MOTORIZED - - Motorized - - - A valve that is opened and closed by the action of an electric motor on an actuator - - - - PNEUMATIC - - Pneumatic - - - A valve that is opened and closed by pneumatic actuation - - - - SOLENOID - - Solenoid - - - A valve that is normally held open by a magnetic field in a coil acting on the gate but that is closed immediately if the electrical current generating the magnetic field is removed - - - - SPRING - - Spring - - - A valve that is normally held in position by the pressure of a spring on a plate but that may be caused to open if the pressure of the fluid is sufficient to overcome the spring pressure - - - - THERMOSTATIC - - Thermostatic - - - A valve in which the ports are opened or closed to maintain a required predetermined temperature - - - - WHEEL - - Wheel - - - A valve that is opened and closed by the action of a wheel moving the gate within the valve - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Valve Operation - 弁操作 - - - - The method of valve operation where:弁操作方法は以下の通り: -おもり(DROPWEIGHT)=おもりを付けられたレバーが外される動作で閉まる弁 浮き(FLOAT)=水位と共に上下する浮きの動作で開閉する弁。浮きはレバーに付けたボール又は他の機構 水力(HYDRAULIC)=水力アクチュエータで開閉する弁 レバー(LEVER)=弁内のゲートを回転させるレバーの動作で開閉する弁 ロックシールド(LOCKSHIELD)=開閉のために特別のロックシールドキーの使用を要求する弁。操作機構は通常の操作の間は覆いで保護されている 電動化(MOTORIZED)=アクチュエータに付けられた電動モータの動作で開閉する弁 空気圧(PNEUMATIC)=圧縮空気で動くアクチュエータで開閉する弁 筒型コイル(SOLENOID)=ゲートに付けられ作動しているコイルの磁界で通常は開に保たれている弁。しかし、もし磁界を発生している電流が消されたらただちに閉まる ばね(SPRING)=板に付けられたばねの圧力で、通常は位置を保たれている弁。しかし、もし流体の圧力が、ばねの圧力より十分大きければ開いてしまう。 自動温度調節(THERMOSTATIC)=前もって決められた要求温度を維持するために、中のポートが開閉する弁 ハンドル(WHEEL)=弁内のゲートを動かすハンドルの動作で開閉する弁 - - - - ValveMechanism - The mechanism by which the valve function is achieved where: - -BALL: Valve that has a ported ball that can be turned relative to the body seat ports. -BUTTERFLY: Valve in which a streamlined disc pivots about a diametric axis. -CONFIGUREDGATE: Screwdown valve in which the closing gate is shaped in a configured manner to have a more precise control of pressure and flow change across the valve. -GLAND: Valve with a tapered seating, in which a rotatable plug is retained by means of a gland and gland packing. -GLOBE: Screwdown valve that has a spherical body. -LUBRICATEDPLUG: Plug valve in which a lubricant is injected under pressure between the plug face and the body. -NEEDLE: Valve for regulating the flow in or from a pipe, in which a slender cone moves along the axis of flow to close against a fixed conical seat. -PARALLELSLIDE: Screwdown valve that has a machined plate that slides in formed grooves to form a seal. -PLUG: Valve that has a ported plug that can be turned relative to the body seat ports. -WEDGEGATE: Screwdown valve that has a wedge shaped plate fitting into tapered guides to form a seal. - - - - - - BALL - - Ball - - - Valve that has a ported ball that can be turned relative to the body seat ports - - - - BUTTERFLY - - Butterfly - - - Valve in which a streamlined disc pivots about a diametric axis - - - - CONFIGUREDGATE - - Configured Gate - - - Screwdown valve in which the closing gate is shaped in a configured manner to have a more precise control of pressure and flow change across the valve - - - - GLAND - - Gland - - - Valve with a tapered seating, in which a rotatable plug is retained by means of a gland and gland packing - - - - GLOBE - - Globe - - - Screwdown valve that has a spherical body - - - - LUBRICATEDPLUG - - Lubricated Plug - - - Plug valve in which a lubricant is injected under pressure between the plug face and the body - - - - NEEDLE - - Needle - - - Valve for regulating the flow in or from a pipe, in which a slender cone moves along the axis of flow to close against a fixed conical seat - - - - PARALLELSLIDE - - Parallel Slide - - - Screwdown valve that has a machined plate that slides in formed grooves to form a seal - - - - PLUG - - Plug - - - Plug valve in which a lubricant is injected under pressure between the plug face and the body - - - - WEDGEGATE - - Wedge Gate - - - Screwdown valve that has a wedge shaped plate fitting into tapered guides to form a seal - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Valve Mechanism - 弁機構 - - - - 機構により可能な弁機能は以下の通り: -ボール弁(BALL valve)=本体のシートポートに関連して回転できるポートボールを持つ弁 バタフライ弁(BUTTERFLY valve)=直径軸あたりに流線型の円板の旋回軸のある弁 CONFIGUREDスクリュー弁(CONFIGUREDGATE Screwdown valve)=閉鎖ゲートを持つねじ回し式弁。その弁は、弁を通過する時圧力と流量変更をより正確に制御できる方法で形づけられている グランド弁(GLAND Valve)=テーパーのついたシートを持った弁。その中に回転プラグがグランドとグランドパッキンによって保持されている グローブスクリュー弁(GLOBE Screwdown valve)= 球形の本体を持つねじ回し式弁 滑プラグ弁(LUBRICATEDPLUG Plug valve)=プラグ表面と本体との間の圧力を下げるために潤滑油が注入された弁 ニードル弁(NEEDLE Valve)=管内外の流量を調節する弁。その中に固定した円錐形のシートを閉止ために、流れの軸に沿って動く細長いコーンを持っている 平行スライドスクリュー弁(PARALLELSLIDE Screwdown valve)=機械加工されたプレートを持つねじ回し式弁。そのプレートはシールを形成するために溝の中を滑る プラグ弁(PLUG Valve)=本体のシートポートと関連して回転できる、ポートしたプラグを持つ弁 くさびゲートスクリュー弁(WEDGEGATE Screwdown valve)=シールを形成するためにテーパーの付いたガイドの中をくさび状の板部品を持つねじ回し式弁 - - - - Size - The size of the connection to the valve (or to each connection for faucets, mixing valves, etc.). - - - - - - - Size - サイズ - - - - 弁(又は、水栓、混合弁等の接続)接続サイズ - - - - TestPressure - The maximum pressure to which the valve has been subjected under test. - - - - - - - Test Pressure - 試験圧力 - - - - 試験の時、掛けられる最高圧力 - - - - WorkingPressure - The normally expected maximum working pressure of the valve. - - - - - - - Working Pressure - 運転圧力 - - - - バルブの通常予想される最高運転圧力 - - - - FlowCoefficient - Flow coefficient (the quantity of fluid that passes through a fully open valve at unit pressure drop), typically expressed as the Kv or Cv value for the valve. - - - - - - - Flow Coefficient - 流出係数 - - - - 流出係数(全開のバルブを通過する単位圧力損失当たりの流体の量)一般的にバルブのKv又はCv値で表される - - - - CloseOffRating - Close off rating. - - - - - - - Close Off Rating - クローズオフレーティング - - - - クローズオフレーティング - - - - - - 弁タイプ共通プロパティ属性設定。 - - - - - Pset_ValveTypeDrawOffCock - A small diameter valve, used to drain water from a cistern or water filled system. - - - IfcValve/DRAWOFFCOCK - - IfcValve/DRAWOFFCOCK - - - HasHoseUnion - Indicates whether the drawoff cock is fitted with a hose union connection (= TRUE) or not (= FALSE). - - - - - - - Has Hose Union - ホースユニオン付き - - - - 排水コックにホースユニオン継手が付いているかの表示.付き(= TRUE)無し (= FALSE) - - - - - - 弁タイプ排水コック - - - - - Pset_ValveTypeFaucet - A small diameter valve, with a free outlet, from which water is drawn. - - - IfcValve/FAUCET - - IfcValve/FAUCET - - - FaucetType - Defines the range of faucet types that may be specified where: - -Bib: Faucet with a horizontal inlet and a nozzle that discharges downwards. -Globe: Faucet fitted through the end of a bath, with a horizontal inlet, a partially spherical body and a vertical nozzle. -Diverter: Combination faucet assembly with a valve to enable the flow of mixed water to be transferred to a showerhead. -DividedFlowCombination: Combination faucet assembly in which hot and cold water are kept separate until emerging from a common nozzle -. -Pillar: Faucet that has a vertical inlet and a nozzle that discharges downwards -. -SingleOutletCombination = Combination faucet assembly in which hot and cold water mix before emerging from a common nozzle -. -Spray: Faucet with a spray outlet -. -SprayMixing: Spray faucet connected to hot and cold water supplies that delivers water at a temperature determined during use. - - - - BIB - GLOBE - DIVERTER - DIVIDEDFLOWCOMBINATION - PILLAR - SINGLEOUTLETCOMBINATION - SPRAY - SPRAYMIXING - OTHER - NOTKNOWN - UNSET - - - - BIB - - Bib - - - - - - - GLOBE - - Globe - - - - - - - DIVERTER - - Diverter - - - - - - - DIVIDEDFLOWCOMBINATION - - Divided Flow Combination - - - - - - - PILLAR - - Pillar - - - - - - - SINGLEOUTLETCOMBINATION - - Single Outlet Combination - - - - - - - SPRAY - - Spray - - - - - - - SPRAYMIXING - - Spray Mixing - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Faucet Type - 水栓タイプ - - - - 水栓タイプの範囲をここに明確に定義する -Bib = 入口が水平で、下に吐出するノズルの水栓 Globe =浴槽の端に付けられ、入口が水平で、本体が部分的に球形で、ノズルが垂直な水栓 Diverter =シャワーヘッドへの混合水の流れを変えられる弁を持った組合せ水栓 DividedFlowCombination = 共通のノズルから出るまで水と湯が分かれたままになっている組合せ水栓 Pillar =垂直な入口と下へ吐出するノズルを持った水栓 SingleOutletCombination =共通のノズルから出る前に水と湯が混合する組合せ水栓 Spray =スプレー状の吐出口を持った水栓 SprayMixing =使用中決められた温度で供給する給水と給湯に接続されたスプレー水栓 - - - - FaucetOperation - Defines the range of ways in which a faucet can be operated that may be specified where: - -CeramicDisc: Quick action faucet with a ceramic seal to open or close the orifice -. -LeverHandle: Quick action faucet that is operated by a lever handle -. -NonConcussiveSelfClosing: Self closing faucet that does not induce surge pressure -. -QuarterTurn: Quick action faucet that can be fully opened or shut by turning the operating mechanism through 90 degrees. -QuickAction: Faucet that can be opened or closed fully with a single small movement of the operating mechanism -. -ScrewDown: Faucet in which a plate or disc is moved, by the rotation of a screwed spindle, to close or open the orifice. -SelfClosing: Faucet that is opened by pressure of the top of an operating spindle and is closed under the action of a spring or weight when the pressure is released. -TimedSelfClosing: Self closing faucet that discharges for a predetermined period of time -. - - - - CERAMICDISC - LEVERHANDLE - NONCONCUSSIVESELFCLOSING - QUATERTURN - QUICKACTION - SCREWDOWN - SELFCLOSING - TIMEDSELFCLOSING - OTHER - NOTKNOWN - UNSET - - - - CERAMICDISC - - Ceramic Disc - - - - - - - LEVERHANDLE - - Lever Handle - - - - - - - NONCONCUSSIVESELFCLOSING - - Nonconcussive Self Closing - - - - - - - QUARTERTURN - - Quarter Turn - - - - - - - QUICKACTION - - Quick Action - - - - - - - SCREWDOWN - - Screw Down - - - - - - - SELFCLOSING - - Self Closing - - - - - - - TIMEDSELFCLOSING - - Timed Self Closing - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Faucet Operation - 水栓操作 - - - - 水栓の操作方法の範囲をここで明確に定義する: -CeramicDisc = 口を開閉するセラミックシールを持った急操作水栓 LeverHandle = レバーハンドルで操作される急操作水栓 SelfClosing =サージ圧をもたらさない自閉水栓 QuarterTurn =90度、操作機構を回すことで全開又は全閉できる急操作水栓 QuickAction =操作機構の一つの小さな動きで全開又は全閉できる水栓 ScrewDown =口を開閉するためにねじの主軸を回して中の板又は円板を動かす水栓 SelfClosing = 操作主軸の頂部の圧力で開けられ、圧力が開放された時は、ばね又は錘の動作で閉められる水栓 TimedSelfClosing =前もって決められた時間、吐出する自閉水栓 - - - - FaucetFunction - Defines the operating temperature of a faucet that may be specified. - - - - COLD - HOT - MIXED - OTHER - NOTKNOWN - UNSET - - - - COLD - - Cold - - - - - - - HOT - - Hot - - - - - - - MIXED - - Mixed - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Faucet Function - 水栓機能 - - - - 水栓の作動温度を明確に定義する。 - - - - Finish - Description of the finish applied to the faucet. - - - - - - - Finish - 仕上げ - - - - 水栓に適用される仕上げの説明 - - - - FaucetTopDescription - Description of the operating mechanism/top of the faucet. - - - - - - - Faucet Top Description - 水栓の頂部 - - - - 操作機構/水栓の頂部の説明 - - - - - - 弁タイプ水栓 - - - - - Pset_ValveTypeFlushing - Valve that flushes a predetermined quantity of water to cleanse a WC, urinal or slop hopper. -Note that a flushing valve is constrained to have a 2 port pattern. - - - IfcValve/FLUSHING - - IfcValve/FLUSHING - - - FlushingRate - The predetermined quantity of water to be flushed. - - - - - - - Flushing Rate - フラッシュ率 - - - - 予め決められた流される水量 - - - - HasIntegralShutOffDevice - Indication of whether the flushing valve has an integral shut off device fitted (set TRUE) or not (set FALSE). - - - - - - - Has Integral Shut Off Device - 全体閉止装置がついているかどうか - - - - フラッシュ弁に全体閉止装置がついているかどうかの表示(付きTRUE)又は(無しFALSE) - - - - IsHighPressure - Indication of whether the flushing valve is suitable for use on a high pressure water main (set TRUE) or not (set FALSE). - - - - - - - Is High Pressure - 高圧給水の有無 - - - - フラッシュ弁の高圧給水主管への使用が適当かどうかの表示(適 TRUE)又は(不適 FALSE) - - - - - - 弁タイプフラッシュ - - - - - Pset_ValveTypeGasTap - A small diameter valve, used to discharge gas from a system. - - - IfcValve/GASTAP - - IfcValve/GASTAP - - - HasHoseUnion - Indicates whether the gas tap is fitted with a hose union connection (= TRUE) or not (= FALSE). - - - - - - - Has Hose Union - ホースユニオン付き - - - - 排水コックにホースユニオン継手が付いているかの表示.付き -(= TRUE)無し (= FALSE) - - - - - - 弁タイプ排水コック - - - - - Pset_ValveTypeIsolating - Valve that is used to isolate system components. -Note that an isolating valve is constrained to have a 2 port pattern. - - - IfcValve/ISOLATING - - IfcValve/ISOLATING - - - IsNormallyOpen - If TRUE, the valve is normally open. If FALSE is is normally closed. - - - - - - - Is Normally Open - ノーマルオープン - - - - もし、TRUEなら弁はノーマルオープン、もし、FALSEならノーマルクローズ - - - - IsolatingPurpose - Defines the purpose for which the isolating valve is used since the way in which the valve is identified as an isolating valve may be in the context of its use. Note that unless there is a contextual name for the isolating valve (as in the case of a Landing Valve on a rising fire main), then the value assigned shoulkd be UNSET. - - - - LANDING - LANDINGWITHPRESSUREREGULATION - OTHER - NOTKNOWN - UNSET - - - - LANDING - - Landing - - - - - - - LANDINGWITHPRESSUREREGULATION - - Landing with Pressure Regulation - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Isolating Purpose - 遮断目的 - - - - その使用の前後関係から遮断弁として使われる弁があるようであれば、遮断弁が使われている理由を定義します。 -注:燃え上がる火の上のランディング弁のように、遮断弁に前後関係から別な名前がつく場合は別です。このようなとき値は定まらない。 - - - - - - 弁タイプ遮断弁 - - - - - Pset_ValveTypeMixing - A valve where typically the temperature of the outlet is determined by mixing hot and cold water inlet flows. - - - IfcValve/MIXING - - IfcValve/MIXING - - - MixerControl - Defines the form of control of the mixing valve. - - - - MANUAL - PREDEFINED - THERMOSTATIC - OTHER - NOTKNOWN - UNSET - - - - MANUAL - - Manual - - - - - - - PREDEFINED - - Predefined - - - - - - - THERMOSTATIC - - Thermostatic - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Mixer Control - 混合制御 - - - - 混合弁の制御形式の定義 - - - - OutletConnectionSize - The size of the pipework connection from the mixing valve. - - - - - - - Outlet Connection Size - 出力側接続口径 - - - - 混合弁の配管接続サイズ - - - - - - 混合弁 - - - - - Pset_ValveTypePressureReducing - Valve that reduces the pressure of a fluid immediately downstream of its position in a pipeline to a preselected value or by a predetermined ratio. -Note that a pressure reducing valve is constrained to have a 2 port pattern. - - - IfcValve/PRESSUREREDUCING - - IfcValve/PRESSUREREDUCING - - - UpstreamPressure - The operating pressure of the fluid upstream of the pressure reducing valve. - - - - - - - Upstream Pressure - 上流圧力 - - - - 減圧弁の上流の流体運転圧力 - - - - DownstreamPressure - The operating pressure of the fluid downstream of the pressure reducing valve. - - - - - - - Downstream Pressure - 下流圧力 - - - - 減圧弁の下流の流体運転圧力 - - - - - - 減圧弁 - - - - - Pset_ValveTypePressureRelief - Spring or weight loaded valve that automatically discharges to a safe place fluid that has built up to excessive pressure in pipes or fittings. -Note that a pressure relief valve is constrained to have a single port pattern. - - - IfcValve/PRESSURERELIEF - - IfcValve/PRESSURERELIEF - - - ReliefPressure - The pressure at which the spring or weight in the valve is set to discharge fluid. - - - - - - - Relief Pressure - リリーフ圧力 - - - - バルブのバネやおもりが流体を放出する作動するときの圧力。 - - - - - - リリーフ弁(逃がし弁) - - - - - Pset_VibrationIsolatorTypeCommon - Vibration isolator type common attributes. - - - IfcVibrationIsolator - - IfcVibrationIsolator - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). - - - - - - - Reference - 参照記号 - - - - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - - - - Status - - - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - - - - VibrationTransmissibility - The vibration transmissibility percentage. - - - - - - - Vibration Transmissibility - 振動伝達 - - - - 振動伝達割合 - - - - IsolatorStaticDeflection - Static deflection of the vibration isolator. - - - - - - - Isolator Static Deflection - 振動絶縁材静的たわみ - - - - 振動絶縁材の静的たわみ - - - - IsolatorCompressibility - The compressibility of the vibration isolator. - - - - - - - Isolator Compressibility - 振動絶縁材の圧縮率 - - - - 振動絶縁材の圧縮率の圧縮率 - - - - MaximumSupportedWeight - The maximum weight that can be carried by the vibration isolator. - - - - - - - Maximum Supported Weight - 最高支持重量 - - - - 振動絶縁材で支えられる最高重量 - - - - NominalHeight - Height of the vibration isolator before the application of load. - - - - - - - Height - 高さ - - - - 負荷を掛ける前の振動絶縁材の高さ - - - - - - 振動絶縁体の共通属性 - - - - - Pset_WallCommon - Properties common to the definition of all occurrences of IfcWall and IfcWallStandardCase. - - - IfcWall - - IfcWall - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Bauteiltyp - Reference - Reference - 参照記号 - 参考号 - - - Bezeichnung zur Zusammenfassung gleichartiger Bauteile zu einem Bauteiltyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1") pour désigner un "type de construction". Une alternative au nom d'un objet type lorsque les objets types ne sont pas gérés par le logiciel. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 若未采用已知的分类系统,则该属性为该项目中该类型构件的参考编号(例如,类型A-1)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - AcousticRating - Acoustic rating for this object. -It is provided according to the national building code. It indicates the sound transmission resistance of this object by an index ratio (instead of providing full sound absorbtion values). - - - - - - - Schallschutzklasse - Acoustic Rating - IsolationAcoustique - 遮音等級 - 隔音等级 - - - Schallschutzklasse gemäß der nationalen oder regionalen Schallschutzverordnung. - - Classement acoustique de cet objet. Donné selon le Code National du Bâtiment. Il indique la résistance à la transmission du son de cet objet par une valeur de référence (au lieu de fournir les valeurs totales d'absorption du son). - 遮音等級情報。関連する建築基準法を参照。 - 该构件的隔音等级。 -该属性的依据为国家建筑规范。为表示该构件隔音效果的比率(而不是完全吸收声音的值)。 - - - - FireRating - Fire rating given according to the national fire safety classification. - - - - - - - Feuerwiderstandsklasse - Fire Rating - ResistanceAuFeu - 耐火等級 - 防火等级 - - - Feuerwiderstandasklasse gemäß der nationalen oder regionalen Brandschutzverordnung. - - Classement au feu de l'élément donné selon la classification nationale de sécurité incendie. - 主要な耐火等級。関連する建築基準法、消防法などの国家基準を参照。 - 该构件的防火等级。 -该属性的依据为国家防火安全分级。 - - - - Combustible - Indication whether the object is made from combustible material (TRUE) or not (FALSE). - - - - - - - Brennbares Material - Combustible - Combustible - 可燃性区分 - 是否可燃 - - - Angabe ob das Bauteil brennbares Material enthält (WAHR) oder nicht (FALSCH). - - Indique si l'objet est réalisé à partir de matériau combustible (VRAI) ou non (FAUX). - この部材が可燃性物質で作られているかどうかを示すブーリアン値。 - 表示该构件是否由可燃材料制成。 - - - - SurfaceSpreadOfFlame - Indication on how the flames spread around the surface, -It is given according to the national building code that governs the fire behaviour for materials. - - - - - - - Brandverhalten - Surface Spread Of Flame - SurfacePropagationFlamme - - - Beschreibung des Brandverhaltens des Bauteils gemäß der nationalen oder regionalen Brandschutzverordnung. - - Indique comment les flammes se propagent sur une surface. Indication donnée selon le Code National du Bâtiment régissant le comportement au feu des matériaux. - - - - ThermalTransmittance - Thermal transmittance coefficient (U-Value) of a material. -Here the total thermal transmittance coefficient through the wall (including all materials). - - - - - - - U-Wert - Thermal Transmittance - TransmissionThermique - 熱貫流率 - 导热系数 - - - Wärmedurchgangskoeffizient (U-Wert) der Materialschichten. -Hier der Gesamtwärmedurchgangskoeffizient der Wand (für alle Schichten). - - Coefficient de transmission thermique surfacique (U). C'est le coefficient global de transmission thermique à travers le mur (tous matériaux inclus). - 熱貫流率U値。ここでは壁を通した熱移動の方向における全体の熱還流率を示す。 - 材料的导热系数(U值)。 -表示该墙在传热方向上的整体导热系数(包括所有材料)。 - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external element and faces the outside of the building. - - - - - - - Außenbauteil - Is External - EstExterieur - 外部区分 - 是否外部构件 - - - Angabe, ob dieses Bauteil ein Aussenbauteil ist (JA) oder ein Innenbauteil (NEIN). Als Aussenbauteil grenzt es an den Aussenraum (oder Erdreich, oder Wasser). - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - 外部の部材かどうかを示すブーリアン値。もしTRUEの場合、外部の部材で建物の外側に面している。 - 表示该构件是否设计为外部构件。若是,则该构件为外部构件,朝向建筑物的外侧。 - - - - LoadBearing - Indicates whether the object is intended to carry loads (TRUE) or not (FALSE). - - - - - - - Tragendes Bauteil - Load Bearing - Porteur - 耐力部材 - 是否承重 - - - Angabe, ob dieses Bauteil tragend ist (JA) oder nichttragend (NEIN) - - Indique si l'objet est supposé porter des charges (VRAI) ou non (FAUX). - 荷重に関係している部材かどうかを示すブーリアン値。 - 表示该对象是否需要承重。 - - - - ExtendToStructure - Indicates whether the object extend to the structure above (TRUE) or not (FALSE). - - - - - - - Raumhohe Wand - Extend To Structure - ExtensionStructure - - - Angabe , ob diese Wand raumhoch ist (WAHR), oder nicht (FALSCH). - - Indique si l'objet s'étend à la structure au-dessus (VRAI) ou non (FAUX). - - - - Compartmentation - Indication whether the object is designed to serve as a fire compartmentation (TRUE) or not (FALSE). - - - - - - - Brandabschnittsdefinierendes Bauteil - Compartmentation - Compartimentage - 防火区画 - - - Angabe, ob dieses Bauteil einen Brandabschnitt begrenzt (WAHR), oder nicht (FALSCH). - - Indique si l'objet est conçu pour assurer un compartimentage contre l'incendie (VRAI) ou non (FAUX). - 防火区画を考慮した部材かどうかを示すブーリアン値 - - - - - - Définition de l'IAI : propriétés communes à la définition de toutes les instances des classes IfcWall et IfcWallStandardCase - IfcWall(壁)オブジェクトに関する共通プロパティセット定義。 - 所有IfcWall和IfcWallStandardCase实例的定义中通用的属性。 - - - - - Pset_Warranty - An assurance given by the seller or provider of an artefact that the artefact is without defects and will operate as described for a defined period of time without failure and that if a defect does arise during that time, that it will be corrected by the seller or provider. - - - IfcElement - - IfcElement - - - WarrantyIdentifier - The identifier assigned to a warranty. - - - - - - - Warranty Identifier - - - - - - - WarrantyStartDate - The date on which the warranty commences. - - - - - - - Warranty Start Date - - - - - - - WarrantyEndDate - The date on which the warranty expires. - - - - - - - Warranty End Date - - - - - - - IsExtendedWarranty - Indication of whether this is an extended warranty whose duration is greater than that normally assigned to an artefact (=TRUE) or not (= FALSE). - - - - - - - Is Extended Warranty - - - - - - - WarrantyPeriod - The time duration during which a manufacturer or supplier guarantees or warrants the performance of an artefact. - - - - - - - Warranty Period - - - - - - - WarrantyContent - The content of the warranty. - - - - - - - Warranty Content - - - - - - - PointOfContact - The organization that should be contacted for action under the terms of the warranty. Note that the role of the organization (manufacturer, supplier, installer etc.) is determined by the IfcActorRole attribute of IfcOrganization. - - - - - - - Point Of Contact - - - - - - - Exclusions - Items, conditions or actions that may be excluded from the warranty or that may cause the warranty to become void. - - - - - - - Exclusions - - - - - - - - - - - - - Pset_WasteTerminalTypeCommon - Common properties for waste terminals. - - - IfcWasteTerminal - - IfcWasteTerminal - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), provided, if there is no classification reference to a recognized classification system used. - - - - - - - Reference - 参照記号 - - - - この規格(例、A-1)で特定のタイプの参照IDが割り当てられ、等級がなければ等級システムを使って割り当てられます。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - 状態 - - - - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - - - 廃棄接続口への共通プロパティー。 - - - - - Pset_WasteTerminalTypeFloorTrap - Pipe fitting, set into the floor, that retains liquid to prevent the passage of foul air. - - - IfcWasteTerminal/FLOORTRAP - - IfcWasteTerminal/FLOORTRAP - - - NominalBodyLength - Nominal or quoted length measured along the x-axis in the local coordinate system or the radius (in the case of a circular shape in plan) of the chamber of the trap. - - - - - - - Nominal Body Length - 呼称躯体長 - - - - 防臭弁の区画の半径か局所座標系のX軸に沿って測定された呼称もしくは積算された長さ。 - - - - NominalBodyWidth - Nominal or quoted length measured along the y-axis in the local coordinate system of the chamber of the trap. - - - - - - - Nominal Body Width - 呼称躯体幅 - - - - 防臭弁の区画の半径か局所座標系のY軸に沿って測定された呼称もしくは積算された長さ。 - - - - NominalBodyDepth - Nominal or quoted length measured along the z-axis in the local coordinate system of the chamber of the trap. - - - - - - - Nominal Body Depth - 呼称躯体深さ - - - - 防臭弁の区画の半径か局所座標系のZ軸に沿って測定された呼称もしくは積算された長さ。 - - - - IsForSullageWater - Indicates if the purpose of the floor trap is to receive sullage water, or if that is amongst its purposes (= TRUE), or not (= FALSE). Note that if TRUE, it is expected that an upstand or kerb will be placed around the floor trap to prevent the ingress of surface water runoff; the provision of the upstand or kerb is not dealt with in this property set. - - - - - - - Is For Sullage Water - 汚水用 - - - - 床排水防臭弁の目的が、汚水を受けることの可(=true)否(=false)を示す。 -注意:TRUEの場合、水の流入を防ぐための床防臭弁の周りに直立壁か縁石が配置され、このプロパティセットにおいては直立壁や縁石の提供は処理されない。 - - - - SpilloverLevel - The level at which water spills out of the terminal. - - - - - - - Spillover Level - 水位 - - - - 継手からの水位。 - - - - TrapType - Identifies the predefined types of waste trap used in combination with the floor trap from which the type required may be set. - - - - NONE - P_TRAP - Q_TRAP - S_TRAP - OTHER - NOTKNOWN - UNSET - - - - NONE - - None - - - - - - - P_TRAP - - P Trap - - - - - - - Q_TRAP - - Q Trap - - - - - - - S_TRAP - - S Trap - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Trap Type - 防臭弁の種類 - - - - セットされる予定の床の防臭弁と組み合わせて使われる廃棄物の防臭弁のあらかじめ定義されたタイプの識別情報。 - - - - HasStrainer - Indicates whether the gully trap has a strainer (= TRUE) or not (= FALSE). - - - - - - - Has Strainer - ろ過装置 - - - - 溝の防臭弁がろ過装置を備えているかどうか指示する。 - - - - OutletConnectionSize - Size of the outlet connection from the object. - - - - - - - Outlet Connection Size - 接続口口径 - - - - 要素からの接続口口径。 - - - - InletPatternType - Identifies the pattern of inlet connections to a trap. - -A trap may have 0,1,2,3 or 4 inlet connections and the pattern of their arrangement may vary. The enumeration makes the convention that an outlet is either vertical or is placed at the bottom (south side) of the trap (when viewed in plan). Position 1 is to the left (west), position 2 is to the top (north), position 3 is to the right (east) and position 4 is to the bottom (south). - - - - NONE - 1 - 2 - 3 - 4 - 12 - 13 - 14 - 23 - 24 - 34 - 123 - 124 - 134 - 234 - 1234 - - - - NONE - - None - - - - - - - 1 - - 1 - - - - - - - 2 - - 2 - - - - - - - 3 - - 3 - - - - - - - 4 - - 4 - - - - - - - 12 - - 12 - - - - - - - 13 - - 13 - - - - - - - 14 - - 14 - - - - - - - 23 - - 23 - - - - - - - 24 - - 24 - - - - - - - 34 - - 34 - - - - - - - 123 - - 123 - - - - - - - 124 - - 124 - - - - - - - 134 - - 134 - - - - - - - 234 - - 234 - - - - - - - 1234 - - 1234 - - - - - - - - - - Inlet Pattern Type - 吸気口種類 - - - - 防臭弁の吸気口接続口の識別情報。 - -一つの防臭弁に0.1.2.3.4.の吸気口接続口とパターンがあるときは変化する可能性があります。羅列されるとき、接続口が垂直である様子か、防臭弁の底(南)におかれます。位置1は左(西)に、位置2は上方(北)に、位置3は右(東)に、位置4は下方(南)になる。 - - - - InletConnectionSize - Size of the inlet connection(s), where used, of the inlet connections. - -Note that all inlet connections are assumed to be the same size. - - - - - - - Inlet Connection Size - 吸気口サイズ - - - - 吸気口接続口のサイズ - -注意:同サイズの吸気口接続口がないものとする。 - - - - CoverLength - The length measured along the x-axis in the local coordinate system or the radius (in the case of a circular shape in plan) of the cover of the trap. - - - - - - - Cover Length - カバー長さ - - - - 局所座標系のX軸に沿うか、半径(円状の形の場合)で測定された防臭弁カバーの長さ。 - - - - CoverWidth - The length measured along the y-axis in the local coordinate system of the cover of the trap. - - - - - - - Cover Width - カバー幅 - - - - 局所座標系のY軸で測定された防臭弁カバーの長さ。 - - - - CoverMaterial - Material from which the cover or grating is constructed. - - - - - Cover Material - カバー材質 - - - - カバーか格子の材質。 - - - - - - 液体を溜めて汚れた空気の通過を防ぐために床に据えられる配管。 - - - - - Pset_WasteTerminalTypeFloorWaste - Pipe fitting, set into the floor, that collects waste water and discharges it to a separate trap. - - - IfcWasteTerminal/FLOORWASTE - - IfcWasteTerminal/FLOORWASTE - - - NominalBodyLength - Nominal or quoted length measured along the x-axis in the local coordinate system or the radius (in the case of a circular shape in plan) of the waste. - - - - - - - Nominal Body Length - 呼称躯体長 - - - - 廃棄物の区画の半径か局所座標系のX軸に沿って測定された呼称もしくは積算された長さ。 - - - - NominalBodyWidth - Nominal or quoted length measured along the y-axis in the local coordinate system of the waste. - - - - - - - Nominal Body Width - 呼称躯体幅 - - - - 廃棄物の半径か局所座標系のY軸に沿って測定された呼称もしくは積算された長さ。 - - - - NominalBodyDepth - Nominal or quoted length measured along the z-axis in the local coordinate system of the waste. - - - - - - - Nominal Body Depth - 呼称躯体深さ - - - - 廃棄物の半径か局所座標系のZ軸に沿って測定された呼称もしくは積算された長さ。 - - - - OutletConnectionSize - Size of the outlet connection from the object. - - - - - - - Outlet Connection Size - 排気口サイズ - - - - 要素からの排気口サイズ。 - - - - CoverLength - The length measured along the x-axis in the local coordinate system or the radius (in the case of a circular shape in plan) of the cover of the waste. - - - - - - - Cover Length - カバー長さ - - - - 局所座標系のX軸に沿うか、半径(円状の形の場合)で測定された防臭弁カバーの長さ。 - - - - CoverWidth - The length measured along the y-axis in the local coordinate system of the cover of the waste. - - - - - - - Cover Width - カバー幅 - - - - 局所座標系のY軸で測定された防臭弁カバーの長さ。 - - - - - - 廃水や廃水を集めて分離する防臭弁を持つ、床に据え付けられた配管。 - - - - - Pset_WasteTerminalTypeGullySump - Pipe fitting or assembly of fittings to receive surface water or waste water, fitted with a grating or sealed cover. - - - IfcWasteTerminal/GULLYSUMP - - IfcWasteTerminal/GULLYSUMP - - - NominalSumpLength - Nominal or quoted length measured along the x-axis in the local coordinate system or the radius (in the case of a circular shape in plan) of the sump. - - - - - - - Nominal Sump Length - 汚水槽長さ - - - - 局所座標系のX軸に沿うか半径(円状の形の場合)で測定された、汚水槽の長さ。 - - - - NominalSumpWidth - Nominal or quoted length measured along the y-axis in the local coordinate system of the sump. - - - - - - - Nominal Sump Width - 汚水槽幅 - - - - 局所座標系のY軸に沿う形で測定され汚水槽の長さ。 - - - - NominalSumpDepth - Nominal or quoted length measured along the z-axis in the local coordinate system of the sump. - - - - - - - Nominal Sump Depth - 汚水槽深さ - - - - 局所座標系のZ軸に沿う形で測定され汚水槽の長さ。 - - - - GullyType - Identifies the predefined types of gully from which the type required may be set. - - - - VERTICAL - BACKINLET - OTHER - NOTKNOWN - UNSET - - - - VERTICAL - - Vertical - - - - - - - BACKINLET - - Backinlet - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Gully Type - 溝種類 - - - - 必要とされるタイプがセットされる溝の定義されたタイプを確認してください。 - - - - TrapType - Identifies the predefined types of trap from which the type required may be set. - - - - NONE - P_TRAP - Q_TRAP - S_TRAP - OTHER - NOTKNOWN - UNSET - - - - NONE - - None - - - - - - - P_TRAP - - P Trap - - - - - - - Q_TRAP - - Q Trap - - - - - - - S_TRAP - - S Trap - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Trap Type - 防臭弁種類 - - - - 必要とされるタイプがセットされる防臭弁の定義されたタイプを確認してください。 - - - - OutletConnectionSize - Size of the outlet connection from the object. - - - - - - - Outlet Connection Size - 排気口接続口 - - - - 要素からの排気口接続口のサイズ。 - - - - BackInletPatternType - Identifies the pattern of inlet connections to a gully trap. - -A gulley trap may have 0,1,2,3 or 4 inlet connections and the pattern of their arrangement may vary. The enumeration makes the convention that an outlet is either vertical or is placed at the bottom (south side) of the gully trap (when viewed in plan). Position 1 is to the left (west), position 2 is to the top (north), position 3 is to the right (east) and position 4 is to the bottom (south). - - 2 - | - ---------------- - ! | -1-| |-3 - ! | - ---------------- - | - 4 - - - - NONE - 1 - 2 - 3 - 4 - 12 - 13 - 14 - 23 - 24 - 34 - 123 - 124 - 134 - 234 - 1234 - - - - NONE - - None - - - - - - - 1 - - 1 - - - - - - - 2 - - 2 - - - - - - - 3 - - 3 - - - - - - - 4 - - 4 - - - - - - - 12 - - 12 - - - - - - - 13 - - 13 - - - - - - - 14 - - 14 - - - - - - - 23 - - 23 - - - - - - - 24 - - 24 - - - - - - - 34 - - 34 - - - - - - - 123 - - 123 - - - - - - - 124 - - 124 - - - - - - - 134 - - 134 - - - - - - - 234 - - 234 - - - - - - - 1234 - - 1234 - - - - - - - - - - Back Inlet Pattern Type - 背部接続口種類 - - - - 溝防臭弁の吸気口パターンを確認してください。 - -一つの溝防臭弁に0.1.2.3.4.の吸気口接続口とパターンがあるときは変化する可能性があります。表記されるときは、接続口が垂直である様子か、防臭弁の底(南)におかれます。位置1は左(西)に、位置2は上方(北)に、位置3は右(東)に、位置4は下方(南)になります。 - - - - InletConnectionSize - Size of the inlet connection(s), where used, of the inlet connections. - -Note that all inlet connections are assumed to be the same size. - - - - - - - Inlet Connection Size - 吸気口接続口サイズ - - - - 吸気口接続口のサイズ。 - -注意:同サイズの吸気口接続口がないものとします。 - - - - CoverLength - The length measured along the x-axis in the local coordinate system or the radius (in the case of a circular shape in plan) of the cover of the gully trap. - - - - - - - Cover Length - カバーの長さ - - - - 局所座標系のX軸に沿うか、半径(円状の形の場合)で測定された溝防臭弁カバーの長さ。 - - - - CoverWidth - The length measured along the y-axis in the local coordinate system of the cover of the gully trap. - - - - - - - Cover Width - カバーの幅 - - - - 局所座標系のY軸で測定された溝防臭弁カバーの長さ。 - - - - - - 地表水や廃水を受けるためのグレーチングシールカバーに取り付けられる、取付器具や配管。 - - - - - Pset_WasteTerminalTypeGullyTrap - Pipe fitting or assembly of fittings to receive surface water or waste water, fitted with a grating or sealed cover and discharging through a trap (BS6100 330 3504 modified) - - - IfcWasteTerminal/GULLYTRAP - - IfcWasteTerminal/GULLYTRAP - - - NominalBodyLength - Nominal or quoted length measured along the x-axis in the local coordinate system or the radius (in the case of a circular shape in plan) of the chamber of the gully trap. - - - - - - - Nominal Body Length - 呼称躯体長 - - - - 溝防臭弁の半径か局所座標系のX軸に沿って測定された呼称もしくは積算された長さ。 - - - - NominalBodyWidth - Nominal or quoted length measured along the y-axis in the local coordinate system of the chamber of the gully trap. - - - - - - - Nominal Body Width - 呼称躯体幅 - - - - 溝防臭弁の半径か局所座標系のY軸に沿って測定された呼称もしくは積算された長さ。 - - - - NominalBodyDepth - Nominal or quoted length measured along the z-axis in the local coordinate system of the chamber of the gully trap. - - - - - - - Nominal Body Depth - 呼称躯体深さ - - - - 溝防臭弁の半径か局所座標系のZ軸に沿って測定された呼称もしくは積算された長さ。 - - - - GullyType - Identifies the predefined types of gully from which the type required may be set. - - - - VERTICAL - BACKINLET - OTHER - NOTKNOWN - UNSET - - - - VERTICAL - - Vertical - - - - - - - BACKINLET - - Backinlet - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Gully Type - 防臭弁の種類 - - - - 設置する予定の溝をあらかじめ定義でタイプを確認します。 - - - - HasStrainer - Indicates whether the gully trap has a strainer (= TRUE) or not (= FALSE). - - - - - - - Has Strainer - ろ過装置 - - - - 溝の防臭弁がろ過装置を備えているかどうかの指示。 - - - - TrapType - Identifies the predefined types of trap from which the type required may be set. - - - - NONE - P_TRAP - Q_TRAP - S_TRAP - OTHER - NOTKNOWN - UNSET - - - - NONE - - None - - - - - - - P_TRAP - - P Trap - - - - - - - Q_TRAP - - Q Trap - - - - - - - S_TRAP - - S Trap - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Trap Type - 防臭弁の種類 - - - - セットされる予定の防臭弁のあらかじめ定義されたタイプを確認します。 - - - - OutletConnectionSize - Size of the outlet connection from the object. - - - - - - - Outlet Connection Size - 排気口接続口サイズ - - - - 要素からの接続口サイズ。 - - - - BackInletPatternType - Identifies the pattern of inlet connections to a gully trap. - -A gulley trap may have 0,1,2,3 or 4 inlet connections and the pattern of their arrangement may vary. The enumeration makes the convention that an outlet is either vertical or is placed at the bottom (south side) of the gully trap (when viewed in plan). Position 1 is to the left (west), position 2 is to the top (north), position 3 is to the right (east) and position 4 is to the bottom (south). - - - - NONE - 1 - 2 - 3 - 4 - 12 - 13 - 14 - 23 - 24 - 34 - 123 - 124 - 134 - 234 - 1234 - - - - NONE - - None - - - - - - - 1 - - 1 - - - - - - - 2 - - 2 - - - - - - - 3 - - 3 - - - - - - - 4 - - 4 - - - - - - - 12 - - 12 - - - - - - - 13 - - 13 - - - - - - - 14 - - 14 - - - - - - - 23 - - 23 - - - - - - - 24 - - 24 - - - - - - - 34 - - 34 - - - - - - - 123 - - 123 - - - - - - - 124 - - 124 - - - - - - - 134 - - 134 - - - - - - - 234 - - 234 - - - - - - - 1234 - - 1234 - - - - - - - - - - Back Inlet Pattern Type - - - - - - - InletConnectionSize - Size of the inlet connection(s), where used, of the inlet connections. - -Note that all inlet connections are assumed to be the same size. - - - - - - - Inlet Connection Size - 吸気口接続口サイズ - - - - 吸気口接続口のサイズ。 - -注意:同サイズの吸気接続口がないものとします。 - - - - CoverLength - The length measured along the x-axis in the local coordinate system or the radius (in the case of a circular shape in plan) of the cover of the gully trap. - - - - - - - Cover Length - カバーの長さ - - - - 局所座標系のX軸に沿うか、半径(円状の形の場合)で測定された溝防臭弁カバーの長さ。 - - - - CoverWidth - The length measured along the y-axis in the local coordinate system of the cover of the gully trap. - - - - - - - Cover Width - カバーの幅 - - - - 局所座標系のY軸で測定された溝防臭弁カバーの長さ。 - - - - - - 表面水や廃水を受けるために取り付けられる、取付器具や配管(BS6100 330 3504)グレーチングや防臭弁を通して排出されるよう取り付けられる。 - - - - - Pset_WasteTerminalTypeRoofDrain - Pipe fitting, set into the roof, that collects rainwater for discharge into the rainwater system. - - - IfcWasteTerminal/ROOFDRAIN - - IfcWasteTerminal/ROOFDRAIN - - - NominalBodyLength - Nominal or quoted length measured along the x-axis in the local coordinate system or the radius (in the case of a circular shape in plan) of the drain. - - - - - - - Nominal Body Length - 呼称躯体長 - - - - 半径か局所座標系のX軸に沿って測定された呼称もしくは積算された配管の長さ。 - - - - NominalBodyWidth - Nominal or quoted length measured along the y-axis in the local coordinate system of the drain. - - - - - - - Nominal Body Width - 呼称躯体幅 - - - - 半径か局所座標系のY軸に沿って測定された呼称もしくは積算された配管の長さ。 - - - - NominalBodyDepth - Nominal or quoted length measured along the z-axis in the local coordinate system of the drain. - - - - - - - Nominal Body Depth - 呼称躯体深さ - - - - 半径か局所座標系のZ軸に沿って測定された呼称もしくは積算された配管の長さ。 - - - - OutletConnectionSize - Size of the outlet connection from the object. - - - - - - - Outlet Connection Size - 排気口接続口サイズ - - - - 要素からの接続口口径。 - - - - CoverLength - The length measured along the x-axis in the local coordinate system or the radius (in the case of a circular shape in plan) of the cover of the drain. - - - - - - - Cover Length - カバーの長さ - - - - 局所座標系のX軸に沿うか、半径(円状の形の場合)で測定された配管カバーの長さ。 - - - - CoverWidth - The length measured along the y-axis in the local coordinate system of the cover of the drain. - - - - - - - Cover Width - カバーの幅 - - - - 局所座標系のY軸で測定された配管カバーの長さ。 - - - - - - 雨水排出設備に排出されるように雨水を集めるために屋根に設置される配管。 - - - - - Pset_WasteTerminalTypeWasteDisposalUnit - Electrically operated device that reduces kitchen or other waste into fragments small enough to be flushed into a drainage system. - - - IfcWasteTerminal/WASTEDISPOSALUNIT - - IfcWasteTerminal/WASTEDISPOSALUNIT - - - DrainConnectionSize - Size of the drain connection inlet to the waste disposal unit. - - - - - - - Drain Connection Size - 配管接続口サイズ - - - - ゴミ処理装置の吸入口配管接続口サイズ。 - - - - OutletConnectionSize - Size of the outlet connection from the waste disposal unit. - - - - - - - Outlet Connection Size - 排出口接続口サイズ - - - - ゴミ処理装置の排出口接続口サイズ。 - - - - NominalDepth - Nominal or quoted depth of the object measured from the inlet drain connection to the base of the unit. - - - - - - - Nominal Depth - 深さ - - - - 装置の基礎に配管吸入口から測定した深さ。 - - - - - - キッチンや他の廃棄において、破片を排水システムで処理されるのに十分な大きさに粉砕するよう、電気的に動作する機器。 - - - - - Pset_WasteTerminalTypeWasteTrap - Pipe fitting, set adjacent to a sanitary terminal, that retains liquid to prevent the passage of foul air. - - - IfcWasteTerminal/WASTETRAP - - IfcWasteTerminal/WASTETRAP - - - WasteTrapType - Identifies the predefined types of trap from which the type required may be set. - - - - NONE - P_TRAP - Q_TRAP - S_TRAP - OTHER - NOTKNOWN - UNSET - - - - NONE - - None - - - - - - - P_TRAP - - P Trap - - - - - - - Q_TRAP - - Q Trap - - - - - - - S_TRAP - - S Trap - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Waste Trap Type - 廃棄物防臭弁種類 - - - - 必要とされるタイプがセットされる防臭弁の定義されたタイプを確認してください。 - - - - OutletConnectionSize - Size of the outlet connection from the object. - - - - - - - Outlet Connection Size - 排出口接続口サイズ - - - - 要素からの接続口サイズ。 - - - - InletConnectionSize - Size of the inlet connection(s), where used, of the inlet connections. - -Note that all inlet connections are assumed to be the same size. - - - - - - - Inlet Connection Size - 吸気口接続口サイズ - - - - 吸気口接続口のサイズ。 - -注意:同サイズの吸気口接続口がないものとします。 - - - - - - 液体を溜めて汚れた空気の通過を防ぐよう衛生機器に隣接して設置させた配管。 - - - - - Pset_WindowCommon - Properties common to the definition of all occurrences of Window. - - - IfcWindow - - IfcWindow - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'), Also referred to as "construction type". It should be provided as an alternative to the name of the "object type", if the software does not support object types. - - - - - - - Bauteiltyp - Reference - Reference - 参照記号 - 参考号 - - - Bezeichnung zur Zusammenfassung gleichartiger Bauteile zu einem Bauteiltyp (auch Konstruktionstyp genannt). Alternativ zum Namen des "Typobjekts", insbesondere wenn die Software keine Typen unterstützt. - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1") pour désigner un "type de construction". Une alternative au nom d'un objet type lorsque les objets types ne sont pas gérés par le logiciel. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 若未采用已知的分类系统,则该属性为该项目中该类型构件的参考编号(例如,类型A-1)。 - - - - Status - Status of the element, predominately used in renovation or retrofitting projects. The status can be assigned to as "New" - element designed as new addition, "Existing" - element exists and remains, "Demolish" - element existed but is to be demolished, "Temporary" - element will exists only temporary (like a temporary support structure). - - - - NEW - EXISTING - DEMOLISH - TEMPORARY - OTHER - NOTKNOWN - UNSET - - - - NEW - element designed as new addition - - New - - - - - - - EXISTING - element exists and is to remain - - Existing - - - - - - - DEMOLISH - element exists but is to be demolished - - Demolish - - - - - - - TEMPORARY - element will exist only temporarily (such as a temporary support structure) - - Temporary - - - - - - - OTHER - - (other) - - - Value is not listed. - - - - NOTKNOWN - - (unknown) - - - Value is unknown. - - - - UNSET - - (unset) - - - Value has not been specified. - - - - - - - Status - Status - Statut - 状態 - - - Status bzw. Phase des Bauteils insbesondere beim Bauen im Bestand. "Neu" (new) neues Bauteil als Ergänzung, "Bestand" (existing) bestehendes Bauteil, dass erhalten bleibt, "Abbruch" (demolish) Bauteil, das abgebrochen wird, "Temporär" (temporary) Bauteil und andere Bauelemente, die vorübergehend eingebaut werden (wie Abstützungen, etc.) - - Statut de l'élément, principalement utilisé dans les projets de rénovation et de réhabilitation. Le statut a pour valeur NOUVEAU pour un nouvel élément, EXISTANT pour un élément existant qui est conservé, DEMOLI pour un élément existant à démolir et TEMPORAIRE pour un élément temporaire (comme une structure support provisoire). - 要素(主にリノベーションまたは改修プロジェクトにおいて)の状態。 状態は、「新規(New)」-新しく追加される要素。「既存」-要素は存在し、かつ残りもの。「破壊」-要素は存在したが、廃棄されるもの。「一時的」-一時的に存在する要素(一時的にサポートしている構造のようなもの)。 - - - - AcousticRating - Acoustic rating for this object. -It is provided according to the national building code. It indicates the sound transmission resistance of this object by an index ratio (instead of providing full sound absorbtion values). - - - - - - - Schallschutzklasse - Acoustic Rating - IsolationAcoustique - 遮音等級 - 隔音等级 - - - Schallschutzklasse gemäß der nationalen oder regionalen Schallschutzverordnung. - - Classement acoustique de cet objet. Donné selon le Code National du Bâtiment. Il indique la résistance à la transmission du son de cet objet par une valeur de référence (au lieu de fournir les valeurs totales d'absorption du son). - 遮音等級情報。関連する建築基準法を参照。 - 该构件的隔音等级。 -该属性的依据为国家建筑规范。为表示该构件隔音效果的比率(而不是完全吸收声音的值)。 - - - - FireRating - Fire rating for this object. -It is given according to the national fire safety classification. - - - - - - - Feuerwiderstandsklasse - Fire Rating - ResistanceAuFeu - 耐火等級 - 防火等级 - - - Feuerwiderstandasklasse gemäß der nationalen oder regionalen Brandschutzverordnung. - - Classement au feu de l'élément donné selon la classification nationale de sécurité incendie. - 主要な耐火等級。関連する建築基準法、消防法などの国家基準を参照。 - 该构件的防火等级。 -该属性的依据为国家防火安全分级。 - - - - SecurityRating - Index based rating system indicating security level. -It is giving according to the national building code. - - - - - - - Sicherheitsklasse - Security Rating - NiveauSecurite - 防犯等級 - 安全等级 - - - Sicherheitsklasse gemäß der nationalen oder regionalen Gebäudesicherheitsverordnung. - - Système de classification par indices, indiquant le niveau de sécurité. - 防犯等級情報。関連する基準を参照。 - 表示安全程度的参考性等级。 -该属性的依据为国家建筑规范。 - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external element and faces the outside of the building. - - - - - - - Außenbauteil - Is External - EstExterieur - 外部区分 - 是否外部构件 - - - Angabe, ob dieses Bauteil ein Aussenbauteil ist (JA) oder ein Innenbauteil (NEIN). Als Aussenbauteil grenzt es an den Aussenraum (oder Erdreich, oder Wasser). - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - 外部の部材かどうかを示すブーリアン値。もしTRUEの場合、外部の部材で建物の外側に面している。 - 表示该构件是否设计为外部构件。若是,则该构件为外部构件,朝向建筑物的外侧。 - - - - Infiltration - Infiltration flowrate of outside air for the filler object based on the area of the filler object at a pressure level of 50 Pascals. It shall be used, if the length of all joints is unknown. - - - - - - - Luftdurchlässigkeit - Infiltration - TauxInfiltration - 隙間風 - 渗风量 - - - Luftaustausch über die Fugen des geschlossenen Fensters (Q-Wert). Gibt die Luftdurchlässigkeit des gesamten Fensters bei einem Luftdruckniveau von 50 Pascal an. - - Taux d'infiltration de l'air extérieur lorsqu'on soumet la porte à une pression de 50 pascals. Cette valeur sera utilisée si la longueur des joints n'est pas connue. - 隙間風の流量値。 - 在50帕斯卡压强下填充物面积上外部空气对填充物的渗透流速。在部分接缝的长度未知时应使用该属性。 - - - - ThermalTransmittance - Thermal transmittance coefficient (U-Value) of a material. -It applies to the total door construction. - - - - - - - U-Wert - Thermal Transmittance - TransmissionThermique - 熱貫流率 - 导热系数 - - - Wärmedurchgangskoeffizient (U-Wert) der Materialschichten. -Hier der Gesamtwärmedurchgangskoeffizient des Fensters. - - Coefficient de transmission thermique (U) d'un matériau. Il s'applique à l'ensemble de la fenêtre. - 熱貫流率U値。ここでは窓を通した熱移動の方向における全体の熱還流率を示す。 - 材料的导热系数(U值)。 -适用于窗的整体结构。 - - - - GlazingAreaFraction - Fraction of the glazing area relative to the total area of the filling element. -It shall be used, if the glazing area is not given separately for all panels within the filling element. - - - - - - - Glasflächenanteil - Glazing Area Fraction - FractionSurfaceVitree - ガラス率 - - - Anteil der verglasten Fläche an der Gesamtfläche des Fensters. Es ist der Reziprokwert des Rahmenanteils. - - Rapport de la surface de vitrage à la surface totale de l'ouverture. Cette propriété sera utilisée si la surface de vitrage n'est pas donnée séparément pour tous les panneaux occupant l'ouverture. - 外壁の総面積に対するガラスの面積の比率。 -ガラスの面積が外壁に含まれる全てのパネルと分離されていないときに、使用されます。 - - - - HasSillExternal - Indication whether the window opening has an external sill (TRUE) or not (FALSE). - - - - - - - Fensterbank aussen - Has Sill External - Seuil côté extérieur - - - Angabe, ob dieses Fenster mit einer äußeren Fensterbank ausgestattet ist (JA) under nicht (NEIN). - - Indique si l'ouverture est dotée d'un seuil côté extérieur (VRAI) ou non (FAUX). - - - - HasSillInternal - Indication whether the window opening has an internal sill (TRUE) or not (FALSE). - - - - - - - Fensterbank innen - Has Sill Internal - Seuil côté intérieur - - - Angabe, ob dieses Fenster mit einer inneren Fensterbank ausgestattet ist (JA) under nicht (NEIN). - - Indique si l'ouverture est dotée d'un seuil côté intérieur (VRAI) ou non (FAUX). - - - - HasDrive - Indication whether this object has an automatic drive to operate it (TRUE) or no drive (FALSE) - - - - - - - Antrieb - Has Drive - Motorisé - - - Angabe, ob dieses Bauteil einen automatischen Antrieb zum Öffnen und Schließen besitzt (JA) oder nicht (NEIN). - - Indique si cet objet est doté d'une motorisation (VRAI) ou non (FAUX). - - - - SmokeStop - Indication whether the object is designed to provide a smoke stop (TRUE) or not (FALSE). - - - - - - - Rauchschutz - Smoke Stop - CoupeFumee - - - Angabe, ob das Fenster einen Rauchschutz gemäß der nationalen oder regionalen Brandschutzverordnung gewährleistet (JA) oder nicht (NEIN). - - Indique si la porte est conçue pour une fonction coupe-fumée (VRAI) ou non (FAUX) - - - - FireExit - Indication whether this object is designed to serve as an exit in the case of fire (TRUE) or not (FALSE). Here it defines an exit window in accordance to the national building code. - - - - - - - Notausgang - Fire Exit - Sortie de secours - - - Angabe, ob das Fenster ein Notausgang gemäß der nationalen oder regionalen Brandschutzverordnung ist (JA), oder nicht (NEIN). - - Indique si cet objet est conçu pour servir de sortie en cas d'incendie (VRAI) ou non (FAUX). Définition de la sortie de secours selon le Code National. - - - - WaterTightnessRating - Water tightness rating for this object. -It is provided according to the national building code. - - - - - - - - - - MechanicalLoadRating - Mechanical load rating for this object. -It is provided according to the national building code. - - - - - - - - - - WindLoadRating - Wind load resistance rating for this object. -It is provided according to the national building code. - - - - - - - - - - - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de la classe IfcWindow - IfcWindow(窓)オブジェクトに関する共通プロパティセット定義。 - 所有窗实例的定义中通用的属性。 - - - - - Pset_WorkControlCommon - Properties common to the definition of all occurrences of IfcWorkPlan and IfcWorkSchedule (subtypes of IfcWorkControl). - - - IfcWorkControl - - IfcWorkControl - - - WorkStartTime - The default time of day a task is scheduled to start. For presentation purposes, if the start time of a task matches the WorkStartTime, then applications may choose to display the date only. Conversely when entering dates without specifying time, applications may automatically append the WorkStartTime. - - - - - - - Work Start Time - 作業開始時間 - - - - 仕事開始予定のデフォルト時刻。プレゼンテーション目的のために、仕事の開始時間がWorkStartTimeと一致するならば、アプリケーションは日付だけを表示するほうを選ぶことが出来る。逆に、時間を指定することなく日付を入力した際、アプリケーションはWorkStartTimeを自動的に追加することが出来る。 - - - - WorkFinishTime - The default time of day a task is scheduled to finish. For presentation purposes, if the finish time of a task matches the WorkFinishTime, then applications may choose to display the date only. Conversely when entering dates without specifying time, applications may automatically append the WorkFinishTime. - - - - - - - Work Finish Time - 作業終了時間 - - - - 作業が終了するスケジュールのデフォルト時刻。 - - - - WorkDayDuration - The elapsed time within a worktime-based day. For presentation purposes, applications may choose to display IfcTask durations in work days where IfcTaskTime.DurationType=WORKTIME. This value must be less than or equal to 24 hours (an elapsed day); if omitted then 8 hours is assumed. - - - - - - - Work Day Duration - 作業日数 - - - - 作業時間を基にした、経過時間の日数。 - - - - WorkWeekDuration - The elapsed time within a worktime-based week. For presentation purposes, applications may choose to display IfcTask durations in work weeks where IfcTaskTime.DurationType=WORKTIME. This value must be less than or equal to 168 hours (an elapsed week); if omitted then 40 hours is assumed. - - - - - - - Work Week Duration - 作業週数 - - - - 作業時間を基にした経過時間の週数。 - - - - WorkMonthDuration - The elapsed time within a worktime-based month. For presentation purposes, applications may choose to display IfcTask durations in work months where IfcTaskTime.DurationType=WORKTIME. This value must be less than or equal to 744 hours (an elapsed month of 31 days); if omitted then 160 hours is assumed. - - - - - - - Work Month Duration - 作業月数 - - - - 作業時間を基にした経過時間の週数の月数。 - - - - - - IfcWorkPlan およびIfcWorkSchedule オブジェクト(IfcWorkControlオブジェクトのサブクラス)に関する共通プロパティセット定義。 - - - - - Pset_ZoneCommon - Properties common to the definition of all occurrences of IfcZone. - - - IfcZone - - IfcZone - - - Reference - Reference ID for this specified type in this project (e.g. type 'A-1'). Used to store the non-classification driven internal project type. - - - - - - - Reference - Reference - 参照記号 - 참조 ID - - - - Référence à l'identifiant d'un type spécifié dans le contexte du projet (exemple : "type A1"). Utilisé pour enregistrer un type sans recourir à une classification. - このプロジェクトにおける参照記号(例:A-1)。分類コードではなく内部で使用されるプロジェクトタイプとして使用されるもの。 - 이 프로젝트의 참조 ID (예 : A-1). 분류 코드가 아닌 내부에서 사용되는 프로젝트 형식으로 사용됩니다. - - - - IsExternal - Indication whether the element is designed for use in the exterior (TRUE) or not (FALSE). If (TRUE) it is an external zone at the outside of the building. - - - - - - - Is External - Est extérieur - 外部区分 - - - - Indique si l'élément est conçu pour être utilisé à l'extérieur (VRAI) ou non (FAUX). Si VRAI, c'est un élément extérieur qui donne sur l'extérieur du bâtiment. - 外部の部材かどうかを示すブーリアン値。もしTRUEの場合、外部の部材で建物の外側に面している。 - - - - GrossPlannedArea - Total planned gross area for the zone. Used for programming the zone. - - - - - - - Gross Planned Area - Surface programmée brute - 計画グロス面積 - - - - Surface programmée brute totale de la pièce. Telle que définie lors de la programmation. - 計画されたグロス面積。建物計画に際に使用。 - - - - NetPlannedArea - Total planned net area for the zone. Used for programming the zone. - - - - - - - Net Planned Area - Surface programmée nette - 計画ネット面積 - - - - Surface programmée nette totale de la pièce. Telle que définie lors de la programmation. - 計画されたネット面積。建物計画に際に使用。(通常は、柱型等を抜いた面積となる) - - - - PubliclyAccessible - Indication whether this space (in case of e.g., a toilet) is designed to serve as a publicly accessible space, e.g., for a public toilet (TRUE) or not (FALSE). - - - - - - - Publicly Accessible - AccessibleAuPublic - 公共アクセス可能性 - 공공 액세스 가능성 - - - - Indique si l'espace (par exemple des toilettes) est conçu pour être un espace accessible au public (TRUE) ou non (FALSE). - この空間が公共アクセス空間かどうかを示すブーリアン値。例:公共トイレの場合(TRUE)。そうでなければ(FALSE)。 - 가능성이 공간이 공공 액세스 공간 여부를 나타내는 부울 값입니다. 예 : 공공 화장실의 경우 TRUE/ FALSE - - - - HandicapAccessible - Indication whether this space (in case of e.g., a toilet) is designed to serve as an accessible space for handicapped people, e.g., for a public toilet (TRUE) or not (FALSE). This information is often used to declare the need for access for the disabled and for special design requirements of this space. - - - - - - - Handicap Accessible - AccesHandicapes - ハンディキャップアクセス可能性 - 핸디캠 액세스 가능성 - - - - Indique si l'élément est conçu pour être accessible aux handicapés (VRAI) ou non (FAUX). Cette information est souvent utilisée pour déclarer la nécessité d'un accès pour handicapés ou pour des contraintes spéciales de conception. - この空間がハンディキャップ者向けの空間かどうかを示す(TRUE)。例:公共トイレの場合。そうでなければ(FALSE)。この情報は、障害者向け利用の必要性や特別なデザインの必要性を示すために利用される。 - 공간이 핸디캡을위한 공간 여부를 나타내는 부울 값입니다. 예 : 공공 화장실의 경우 TRUE. 이 정보는 장애인을위한 이용의 필요성과 특별한 디자인의 필요성을 나타내기 위해 사용된다. - - - - - - Définition de l'IAI : propriétés communes à la définition de toutes les instances de la classe IfcZone - IfcZoneに関する共通プロパティセット定義。 - -