Compare commits
17 Commits
fix/pull-p
...
be8783bf0a
| Author | SHA1 | Date | |
|---|---|---|---|
| be8783bf0a | |||
| 972dc07157 | |||
| 201e0af450 | |||
| 95c56fa29a | |||
| 33d5eeb76c | |||
| 9e83982c78 | |||
| 52fc9cdd3a | |||
| ae132948d1 | |||
|
|
ab801601c9 | ||
| 32d5f1ea1b | |||
| de80e392f5 | |||
| ba42343577 | |||
| af7eab3a70 | |||
| 6d231e80dd | |||
| a7ef5f195b | |||
|
|
7cf5867a7a | ||
|
|
9a6d1dfbd2 |
@@ -35,9 +35,20 @@ class SiloWorkbench(FreeCADGui.Workbench):
|
||||
except Exception as e:
|
||||
FreeCAD.Console.PrintWarning(f"Could not register Silo origin: {e}\n")
|
||||
|
||||
# Silo origin toolbar — shown as an overlay on any context when the
|
||||
# active document is Silo-tracked. Registered as Unavailable so
|
||||
# EditingContextResolver controls visibility via the overlay system.
|
||||
self.silo_toolbar_commands = [
|
||||
"Silo_Commit",
|
||||
"Silo_Pull",
|
||||
"Silo_Push",
|
||||
"Separator",
|
||||
"Silo_Info",
|
||||
"Silo_BOM",
|
||||
]
|
||||
self.appendToolbar("Silo Origin", self.silo_toolbar_commands, "Unavailable")
|
||||
|
||||
# Silo menu provides admin/management commands.
|
||||
# File operations (New/Open/Save) are handled by the standard File
|
||||
# toolbar via the origin system -- no separate Silo toolbar needed.
|
||||
self.menu_commands = [
|
||||
"Silo_Info",
|
||||
"Silo_BOM",
|
||||
@@ -68,6 +79,44 @@ class SiloWorkbench(FreeCADGui.Workbench):
|
||||
FreeCADGui.addWorkbench(SiloWorkbench())
|
||||
FreeCAD.Console.PrintMessage("Silo workbench registered\n")
|
||||
|
||||
|
||||
# ---------------------------------------------------------------------------
|
||||
# Silo overlay context — adds "Silo Origin" toolbar to any active context
|
||||
# when the current document is Silo-tracked.
|
||||
# ---------------------------------------------------------------------------
|
||||
|
||||
|
||||
def _register_silo_overlay():
|
||||
"""Register the Silo overlay after the Silo workbench has initialised."""
|
||||
|
||||
def _silo_overlay_match():
|
||||
"""Return True if the active document is Silo-tracked."""
|
||||
try:
|
||||
doc = FreeCAD.ActiveDocument
|
||||
if not doc:
|
||||
return False
|
||||
from silo_origin import get_silo_origin
|
||||
|
||||
origin = get_silo_origin()
|
||||
return origin.ownsDocument(doc)
|
||||
except Exception:
|
||||
return False
|
||||
|
||||
try:
|
||||
FreeCADGui.registerEditingOverlay(
|
||||
"silo", # overlay id
|
||||
["Silo Origin"], # toolbar names to append
|
||||
_silo_overlay_match, # match function
|
||||
)
|
||||
except Exception as e:
|
||||
FreeCAD.Console.PrintWarning(f"Silo overlay registration failed: {e}\n")
|
||||
|
||||
|
||||
from PySide import QtCore as _QtCore
|
||||
|
||||
_QtCore.QTimer.singleShot(2500, _register_silo_overlay)
|
||||
|
||||
|
||||
# Override the Start page with Silo-aware version (must happen before
|
||||
# the C++ StartLauncher fires at ~100ms after GUI init)
|
||||
try:
|
||||
@@ -92,6 +141,4 @@ def _handle_startup_urls():
|
||||
handle_kindred_url(arg)
|
||||
|
||||
|
||||
from PySide import QtCore
|
||||
|
||||
QtCore.QTimer.singleShot(500, _handle_startup_urls)
|
||||
_QtCore.QTimer.singleShot(500, _handle_startup_urls)
|
||||
|
||||
191
freecad/open_search.py
Normal file
191
freecad/open_search.py
Normal file
@@ -0,0 +1,191 @@
|
||||
"""Search-and-open widget for Kindred Create.
|
||||
|
||||
Provides :class:`OpenItemWidget`, a plain ``QWidget`` that can be
|
||||
embedded in an MDI sub-window. Searches both the Silo database and
|
||||
local CAD files, presenting results in a unified table. Emits
|
||||
``item_selected`` when the user picks an item and ``cancelled`` when
|
||||
the user clicks Cancel.
|
||||
"""
|
||||
|
||||
import FreeCAD
|
||||
from PySide import QtCore, QtWidgets
|
||||
|
||||
|
||||
class OpenItemWidget(QtWidgets.QWidget):
|
||||
"""Search-and-open widget for embedding in an MDI subwindow.
|
||||
|
||||
Parameters
|
||||
----------
|
||||
client : SiloClient
|
||||
Authenticated Silo API client instance.
|
||||
search_local_fn : callable
|
||||
Function that accepts a search term string and returns an
|
||||
iterable of dicts with keys ``part_number``, ``description``,
|
||||
``path``, ``modified``.
|
||||
parent : QWidget, optional
|
||||
Parent widget.
|
||||
|
||||
Signals
|
||||
-------
|
||||
item_selected(dict)
|
||||
Emitted when the user selects an item. The dict contains
|
||||
keys: *part_number*, *description*, *item_type*, *source*
|
||||
(``"database"``, ``"local"``, or ``"both"``), *modified*,
|
||||
and *path* (str or ``None``).
|
||||
cancelled()
|
||||
Emitted when the user clicks Cancel.
|
||||
"""
|
||||
|
||||
item_selected = QtCore.Signal(dict)
|
||||
cancelled = QtCore.Signal()
|
||||
|
||||
def __init__(self, client, search_local_fn, parent=None):
|
||||
super().__init__(parent)
|
||||
self._client = client
|
||||
self._search_local = search_local_fn
|
||||
self._results_data = []
|
||||
|
||||
self.setMinimumWidth(700)
|
||||
self.setMinimumHeight(500)
|
||||
|
||||
self._build_ui()
|
||||
|
||||
# Debounced search timer (500 ms)
|
||||
self._search_timer = QtCore.QTimer(self)
|
||||
self._search_timer.setSingleShot(True)
|
||||
self._search_timer.setInterval(500)
|
||||
self._search_timer.timeout.connect(self._do_search)
|
||||
|
||||
# Populate on first display
|
||||
QtCore.QTimer.singleShot(0, self._do_search)
|
||||
|
||||
# ---- UI construction ---------------------------------------------------
|
||||
|
||||
def _build_ui(self):
|
||||
layout = QtWidgets.QVBoxLayout(self)
|
||||
layout.setSpacing(8)
|
||||
|
||||
# Search row
|
||||
self._search_input = QtWidgets.QLineEdit()
|
||||
self._search_input.setPlaceholderText("Search by part number or description...")
|
||||
self._search_input.textChanged.connect(self._on_search_changed)
|
||||
layout.addWidget(self._search_input)
|
||||
|
||||
# Filter checkboxes
|
||||
filter_layout = QtWidgets.QHBoxLayout()
|
||||
self._db_checkbox = QtWidgets.QCheckBox("Database")
|
||||
self._db_checkbox.setChecked(True)
|
||||
self._local_checkbox = QtWidgets.QCheckBox("Local Files")
|
||||
self._local_checkbox.setChecked(True)
|
||||
self._db_checkbox.toggled.connect(self._on_filter_changed)
|
||||
self._local_checkbox.toggled.connect(self._on_filter_changed)
|
||||
filter_layout.addWidget(self._db_checkbox)
|
||||
filter_layout.addWidget(self._local_checkbox)
|
||||
filter_layout.addStretch()
|
||||
layout.addLayout(filter_layout)
|
||||
|
||||
# Results table
|
||||
self._results_table = QtWidgets.QTableWidget()
|
||||
self._results_table.setColumnCount(5)
|
||||
self._results_table.setHorizontalHeaderLabels(
|
||||
["Part Number", "Description", "Type", "Source", "Modified"]
|
||||
)
|
||||
self._results_table.setSelectionBehavior(QtWidgets.QAbstractItemView.SelectRows)
|
||||
self._results_table.setSelectionMode(QtWidgets.QAbstractItemView.SingleSelection)
|
||||
self._results_table.horizontalHeader().setStretchLastSection(True)
|
||||
self._results_table.setEditTriggers(QtWidgets.QAbstractItemView.NoEditTriggers)
|
||||
self._results_table.doubleClicked.connect(self._open_selected)
|
||||
layout.addWidget(self._results_table, 1)
|
||||
|
||||
# Buttons
|
||||
btn_layout = QtWidgets.QHBoxLayout()
|
||||
btn_layout.addStretch()
|
||||
open_btn = QtWidgets.QPushButton("Open")
|
||||
open_btn.clicked.connect(self._open_selected)
|
||||
cancel_btn = QtWidgets.QPushButton("Cancel")
|
||||
cancel_btn.clicked.connect(self.cancelled.emit)
|
||||
btn_layout.addWidget(open_btn)
|
||||
btn_layout.addWidget(cancel_btn)
|
||||
layout.addLayout(btn_layout)
|
||||
|
||||
# ---- Search logic ------------------------------------------------------
|
||||
|
||||
def _on_search_changed(self, _text):
|
||||
"""Restart debounce timer on each keystroke."""
|
||||
self._search_timer.start()
|
||||
|
||||
def _on_filter_changed(self, _checked):
|
||||
"""Re-run search immediately when filter checkboxes change."""
|
||||
self._do_search()
|
||||
|
||||
def _do_search(self):
|
||||
"""Execute search against database and/or local files."""
|
||||
search_term = self._search_input.text().strip()
|
||||
self._results_data = []
|
||||
|
||||
if self._db_checkbox.isChecked():
|
||||
try:
|
||||
for item in self._client.list_items(search=search_term):
|
||||
self._results_data.append(
|
||||
{
|
||||
"part_number": item.get("part_number", ""),
|
||||
"description": item.get("description", ""),
|
||||
"item_type": item.get("item_type", ""),
|
||||
"source": "database",
|
||||
"modified": item.get("updated_at", "")[:10]
|
||||
if item.get("updated_at")
|
||||
else "",
|
||||
"path": None,
|
||||
}
|
||||
)
|
||||
except Exception as e:
|
||||
FreeCAD.Console.PrintWarning(f"DB search failed: {e}\n")
|
||||
|
||||
if self._local_checkbox.isChecked():
|
||||
try:
|
||||
for item in self._search_local(search_term):
|
||||
existing = next(
|
||||
(r for r in self._results_data if r["part_number"] == item["part_number"]),
|
||||
None,
|
||||
)
|
||||
if existing:
|
||||
existing["source"] = "both"
|
||||
existing["path"] = item.get("path")
|
||||
else:
|
||||
self._results_data.append(
|
||||
{
|
||||
"part_number": item.get("part_number", ""),
|
||||
"description": item.get("description", ""),
|
||||
"item_type": "",
|
||||
"source": "local",
|
||||
"modified": item.get("modified", "")[:10]
|
||||
if item.get("modified")
|
||||
else "",
|
||||
"path": item.get("path"),
|
||||
}
|
||||
)
|
||||
except Exception as e:
|
||||
FreeCAD.Console.PrintWarning(f"Local search failed: {e}\n")
|
||||
|
||||
self._populate_table()
|
||||
|
||||
def _populate_table(self):
|
||||
"""Refresh the results table from ``_results_data``."""
|
||||
self._results_table.setRowCount(len(self._results_data))
|
||||
for row, data in enumerate(self._results_data):
|
||||
self._results_table.setItem(row, 0, QtWidgets.QTableWidgetItem(data["part_number"]))
|
||||
self._results_table.setItem(row, 1, QtWidgets.QTableWidgetItem(data["description"]))
|
||||
self._results_table.setItem(row, 2, QtWidgets.QTableWidgetItem(data["item_type"]))
|
||||
self._results_table.setItem(row, 3, QtWidgets.QTableWidgetItem(data["source"]))
|
||||
self._results_table.setItem(row, 4, QtWidgets.QTableWidgetItem(data["modified"]))
|
||||
self._results_table.resizeColumnsToContents()
|
||||
|
||||
# ---- Selection ---------------------------------------------------------
|
||||
|
||||
def _open_selected(self):
|
||||
"""Emit ``item_selected`` with the data from the selected row."""
|
||||
selected = self._results_table.selectedItems()
|
||||
if not selected:
|
||||
return
|
||||
row = selected[0].row()
|
||||
self.item_selected.emit(dict(self._results_data[row]))
|
||||
629
freecad/schema_form.py
Normal file
629
freecad/schema_form.py
Normal file
@@ -0,0 +1,629 @@
|
||||
"""Schema-driven new-item form for Kindred Create.
|
||||
|
||||
Fetches schema data from the Silo REST API and builds a dynamic Qt form
|
||||
that mirrors the React ``CreateItemPane`` — category picker, property
|
||||
fields grouped by domain, live part number preview, and project tagging.
|
||||
|
||||
The primary widget is :class:`SchemaFormWidget` (a plain ``QWidget``)
|
||||
which can be embedded in an MDI tab, dock panel, or wrapped in the
|
||||
backward-compatible :class:`SchemaFormDialog` modal.
|
||||
"""
|
||||
|
||||
import json
|
||||
import urllib.error
|
||||
import urllib.parse
|
||||
import urllib.request
|
||||
|
||||
import FreeCAD
|
||||
from PySide import QtCore, QtGui, QtWidgets
|
||||
|
||||
# ---------------------------------------------------------------------------
|
||||
# Domain labels derived from the first character of category codes.
|
||||
# ---------------------------------------------------------------------------
|
||||
|
||||
_DOMAIN_LABELS = {
|
||||
"F": "Fasteners",
|
||||
"C": "Fluid Fittings",
|
||||
"R": "Motion Components",
|
||||
"S": "Structural",
|
||||
"E": "Electrical",
|
||||
"M": "Mechanical",
|
||||
"T": "Tooling",
|
||||
"A": "Assemblies",
|
||||
"P": "Purchased",
|
||||
"X": "Custom Fabricated",
|
||||
}
|
||||
|
||||
_ITEM_TYPES = ["part", "assembly", "consumable", "tool"]
|
||||
_SOURCING_TYPES = ["manufactured", "purchased"]
|
||||
|
||||
|
||||
# ---------------------------------------------------------------------------
|
||||
# Collapsible group box
|
||||
# ---------------------------------------------------------------------------
|
||||
|
||||
|
||||
class _CollapsibleGroup(QtWidgets.QGroupBox):
|
||||
"""A QGroupBox that can be collapsed by clicking its title."""
|
||||
|
||||
def __init__(self, title: str, parent=None, collapsed=False):
|
||||
super().__init__(title, parent)
|
||||
self.setCheckable(True)
|
||||
self.setChecked(not collapsed)
|
||||
self.toggled.connect(self._on_toggled)
|
||||
self._content = QtWidgets.QWidget()
|
||||
self._layout = QtWidgets.QFormLayout(self._content)
|
||||
self._layout.setContentsMargins(8, 4, 8, 4)
|
||||
self._layout.setSpacing(6)
|
||||
|
||||
outer = QtWidgets.QVBoxLayout(self)
|
||||
outer.setContentsMargins(0, 4, 0, 0)
|
||||
outer.addWidget(self._content)
|
||||
|
||||
if collapsed:
|
||||
self._content.hide()
|
||||
|
||||
def form_layout(self) -> QtWidgets.QFormLayout:
|
||||
return self._layout
|
||||
|
||||
def _on_toggled(self, checked: bool):
|
||||
self._content.setVisible(checked)
|
||||
|
||||
|
||||
# ---------------------------------------------------------------------------
|
||||
# Category picker (domain combo → subcategory combo)
|
||||
# ---------------------------------------------------------------------------
|
||||
|
||||
|
||||
class _CategoryPicker(QtWidgets.QWidget):
|
||||
"""Two chained combo boxes: domain group → subcategory within that group."""
|
||||
|
||||
category_changed = QtCore.Signal(str) # emits full code e.g. "F01"
|
||||
|
||||
def __init__(self, categories: dict, parent=None):
|
||||
super().__init__(parent)
|
||||
self._categories = categories # {code: description, ...}
|
||||
|
||||
# Group by first character
|
||||
self._groups = {} # {prefix: [(code, desc), ...]}
|
||||
for code, desc in sorted(categories.items()):
|
||||
prefix = code[0] if code else "?"
|
||||
self._groups.setdefault(prefix, []).append((code, desc))
|
||||
|
||||
layout = QtWidgets.QHBoxLayout(self)
|
||||
layout.setContentsMargins(0, 0, 0, 0)
|
||||
layout.setSpacing(8)
|
||||
|
||||
self._domain_combo = QtWidgets.QComboBox()
|
||||
self._domain_combo.addItem("-- Select domain --", "")
|
||||
for prefix in sorted(self._groups.keys()):
|
||||
label = _DOMAIN_LABELS.get(prefix, prefix)
|
||||
count = len(self._groups[prefix])
|
||||
self._domain_combo.addItem(f"{prefix} \u2014 {label} ({count})", prefix)
|
||||
self._domain_combo.currentIndexChanged.connect(self._on_domain_changed)
|
||||
layout.addWidget(self._domain_combo, 1)
|
||||
|
||||
self._sub_combo = QtWidgets.QComboBox()
|
||||
self._sub_combo.setEnabled(False)
|
||||
self._sub_combo.currentIndexChanged.connect(self._on_sub_changed)
|
||||
layout.addWidget(self._sub_combo, 1)
|
||||
|
||||
def selected_category(self) -> str:
|
||||
return self._sub_combo.currentData() or ""
|
||||
|
||||
def _on_domain_changed(self, _index: int):
|
||||
prefix = self._domain_combo.currentData()
|
||||
self._sub_combo.clear()
|
||||
if not prefix:
|
||||
self._sub_combo.setEnabled(False)
|
||||
self.category_changed.emit("")
|
||||
return
|
||||
|
||||
self._sub_combo.setEnabled(True)
|
||||
self._sub_combo.addItem("-- Select subcategory --", "")
|
||||
for code, desc in self._groups.get(prefix, []):
|
||||
self._sub_combo.addItem(f"{code} \u2014 {desc}", code)
|
||||
|
||||
def _on_sub_changed(self, _index: int):
|
||||
code = self._sub_combo.currentData() or ""
|
||||
self.category_changed.emit(code)
|
||||
|
||||
|
||||
# ---------------------------------------------------------------------------
|
||||
# Property field factory
|
||||
# ---------------------------------------------------------------------------
|
||||
|
||||
|
||||
def _make_field(prop_def: dict) -> QtWidgets.QWidget:
|
||||
"""Create a Qt widget for a property definition.
|
||||
|
||||
``prop_def`` has keys: type, default, unit, description, required.
|
||||
"""
|
||||
ptype = prop_def.get("type", "string")
|
||||
|
||||
if ptype == "boolean":
|
||||
cb = QtWidgets.QCheckBox()
|
||||
default = prop_def.get("default")
|
||||
if default is True:
|
||||
cb.setChecked(True)
|
||||
if prop_def.get("description"):
|
||||
cb.setToolTip(prop_def["description"])
|
||||
return cb
|
||||
|
||||
if ptype == "number":
|
||||
container = QtWidgets.QWidget()
|
||||
h = QtWidgets.QHBoxLayout(container)
|
||||
h.setContentsMargins(0, 0, 0, 0)
|
||||
h.setSpacing(4)
|
||||
|
||||
spin = QtWidgets.QDoubleSpinBox()
|
||||
spin.setDecimals(4)
|
||||
spin.setRange(-1e9, 1e9)
|
||||
spin.setSpecialValueText("") # show empty when at minimum
|
||||
default = prop_def.get("default")
|
||||
if default is not None and default != "":
|
||||
try:
|
||||
spin.setValue(float(default))
|
||||
except (ValueError, TypeError):
|
||||
pass
|
||||
else:
|
||||
spin.clear()
|
||||
if prop_def.get("description"):
|
||||
spin.setToolTip(prop_def["description"])
|
||||
h.addWidget(spin, 1)
|
||||
|
||||
unit = prop_def.get("unit", "")
|
||||
if unit:
|
||||
unit_label = QtWidgets.QLabel(unit)
|
||||
unit_label.setFixedWidth(40)
|
||||
h.addWidget(unit_label)
|
||||
|
||||
return container
|
||||
|
||||
# Default: string
|
||||
le = QtWidgets.QLineEdit()
|
||||
default = prop_def.get("default")
|
||||
if default and isinstance(default, str):
|
||||
le.setText(default)
|
||||
if prop_def.get("description"):
|
||||
le.setPlaceholderText(prop_def["description"])
|
||||
le.setToolTip(prop_def["description"])
|
||||
return le
|
||||
|
||||
|
||||
def _read_field(widget: QtWidgets.QWidget, prop_def: dict):
|
||||
"""Extract the value from a property widget, type-converted."""
|
||||
ptype = prop_def.get("type", "string")
|
||||
|
||||
if ptype == "boolean":
|
||||
return widget.isChecked()
|
||||
|
||||
if ptype == "number":
|
||||
spin = widget.findChild(QtWidgets.QDoubleSpinBox)
|
||||
if spin is None:
|
||||
return None
|
||||
text = spin.text().strip()
|
||||
if not text:
|
||||
return None
|
||||
return spin.value()
|
||||
|
||||
# string
|
||||
if isinstance(widget, QtWidgets.QLineEdit):
|
||||
val = widget.text().strip()
|
||||
return val if val else None
|
||||
return None
|
||||
|
||||
|
||||
# ---------------------------------------------------------------------------
|
||||
# Embeddable form widget
|
||||
# ---------------------------------------------------------------------------
|
||||
|
||||
|
||||
class SchemaFormWidget(QtWidgets.QWidget):
|
||||
"""Schema-driven new-item form widget.
|
||||
|
||||
A plain ``QWidget`` that can be embedded in an MDI subwindow, dock
|
||||
panel, or dialog. Emits :pyqt:`item_created` on successful creation
|
||||
and :pyqt:`cancelled` when the user clicks Cancel.
|
||||
"""
|
||||
|
||||
item_created = QtCore.Signal(dict)
|
||||
cancelled = QtCore.Signal()
|
||||
|
||||
def __init__(self, client, parent=None):
|
||||
super().__init__(parent)
|
||||
self._client = client
|
||||
self._prop_widgets = {} # {key: (widget, prop_def)}
|
||||
self._prop_groups = [] # list of _CollapsibleGroup to clear on category change
|
||||
self._categories = {}
|
||||
self._projects = []
|
||||
|
||||
self._load_schema_data()
|
||||
self._build_ui()
|
||||
|
||||
# Part number preview debounce timer
|
||||
self._pn_timer = QtCore.QTimer(self)
|
||||
self._pn_timer.setSingleShot(True)
|
||||
self._pn_timer.setInterval(500)
|
||||
self._pn_timer.timeout.connect(self._update_pn_preview)
|
||||
|
||||
# -- data loading -------------------------------------------------------
|
||||
|
||||
def _load_schema_data(self):
|
||||
"""Fetch categories and projects from the API."""
|
||||
try:
|
||||
schema = self._client.get_schema()
|
||||
segments = schema.get("segments", [])
|
||||
cat_segment = next((s for s in segments if s.get("name") == "category"), None)
|
||||
if cat_segment and cat_segment.get("values"):
|
||||
self._categories = cat_segment["values"]
|
||||
except Exception as e:
|
||||
FreeCAD.Console.PrintWarning(f"Schema form: failed to fetch schema: {e}\n")
|
||||
|
||||
try:
|
||||
self._projects = self._client.get_projects() or []
|
||||
except Exception:
|
||||
self._projects = []
|
||||
|
||||
def _fetch_properties(self, category: str) -> dict:
|
||||
"""Fetch merged property definitions for a category."""
|
||||
from silo_commands import _get_api_url, _get_auth_headers, _get_ssl_context
|
||||
|
||||
api_url = _get_api_url().rstrip("/")
|
||||
url = f"{api_url}/schemas/kindred-rd/properties?category={urllib.parse.quote(category)}"
|
||||
req = urllib.request.Request(url, method="GET")
|
||||
req.add_header("Accept", "application/json")
|
||||
for k, v in _get_auth_headers().items():
|
||||
req.add_header(k, v)
|
||||
try:
|
||||
resp = urllib.request.urlopen(req, context=_get_ssl_context(), timeout=5)
|
||||
data = json.loads(resp.read().decode("utf-8"))
|
||||
return data.get("properties", data)
|
||||
except Exception as e:
|
||||
FreeCAD.Console.PrintWarning(
|
||||
f"Schema form: failed to fetch properties for {category}: {e}\n"
|
||||
)
|
||||
return {}
|
||||
|
||||
def _generate_pn_preview(self, category: str) -> str:
|
||||
"""Call the server to preview the next part number."""
|
||||
from silo_commands import _get_api_url, _get_auth_headers, _get_ssl_context
|
||||
|
||||
api_url = _get_api_url().rstrip("/")
|
||||
url = f"{api_url}/generate-part-number"
|
||||
payload = json.dumps({"schema": "kindred-rd", "category": category}).encode()
|
||||
req = urllib.request.Request(url, data=payload, method="POST")
|
||||
req.add_header("Content-Type", "application/json")
|
||||
req.add_header("Accept", "application/json")
|
||||
for k, v in _get_auth_headers().items():
|
||||
req.add_header(k, v)
|
||||
try:
|
||||
resp = urllib.request.urlopen(req, context=_get_ssl_context(), timeout=5)
|
||||
data = json.loads(resp.read().decode("utf-8"))
|
||||
return data.get("part_number", "")
|
||||
except Exception:
|
||||
return ""
|
||||
|
||||
# -- UI construction ----------------------------------------------------
|
||||
|
||||
def _build_ui(self):
|
||||
root = QtWidgets.QVBoxLayout(self)
|
||||
root.setSpacing(8)
|
||||
|
||||
# Inline error label (hidden by default)
|
||||
self._error_label = QtWidgets.QLabel()
|
||||
self._error_label.setStyleSheet(
|
||||
"background-color: #f38ba8; color: #1e1e2e; "
|
||||
"padding: 8px; border-radius: 4px; font-weight: bold;"
|
||||
)
|
||||
self._error_label.setAlignment(QtCore.Qt.AlignCenter)
|
||||
self._error_label.hide()
|
||||
root.addWidget(self._error_label)
|
||||
|
||||
# Part number preview banner
|
||||
self._pn_label = QtWidgets.QLabel("Part Number: \u2014")
|
||||
self._pn_label.setStyleSheet("font-size: 16px; font-weight: bold; padding: 8px;")
|
||||
self._pn_label.setAlignment(QtCore.Qt.AlignCenter)
|
||||
root.addWidget(self._pn_label)
|
||||
|
||||
# Scroll area for form content
|
||||
scroll = QtWidgets.QScrollArea()
|
||||
scroll.setWidgetResizable(True)
|
||||
scroll.setFrameShape(QtWidgets.QFrame.NoFrame)
|
||||
scroll_content = QtWidgets.QWidget()
|
||||
self._form_layout = QtWidgets.QVBoxLayout(scroll_content)
|
||||
self._form_layout.setSpacing(8)
|
||||
self._form_layout.setContentsMargins(8, 4, 8, 4)
|
||||
scroll.setWidget(scroll_content)
|
||||
root.addWidget(scroll, 1)
|
||||
|
||||
# --- Identity section ---
|
||||
identity = _CollapsibleGroup("Identity")
|
||||
fl = identity.form_layout()
|
||||
|
||||
self._type_combo = QtWidgets.QComboBox()
|
||||
for t in _ITEM_TYPES:
|
||||
self._type_combo.addItem(t.capitalize(), t)
|
||||
fl.addRow("Type:", self._type_combo)
|
||||
|
||||
self._desc_edit = QtWidgets.QLineEdit()
|
||||
self._desc_edit.setPlaceholderText("Item description")
|
||||
fl.addRow("Description:", self._desc_edit)
|
||||
|
||||
self._cat_picker = _CategoryPicker(self._categories)
|
||||
self._cat_picker.category_changed.connect(self._on_category_changed)
|
||||
fl.addRow("Category:", self._cat_picker)
|
||||
|
||||
self._form_layout.addWidget(identity)
|
||||
|
||||
# --- Sourcing section ---
|
||||
sourcing = _CollapsibleGroup("Sourcing", collapsed=True)
|
||||
fl = sourcing.form_layout()
|
||||
|
||||
self._sourcing_combo = QtWidgets.QComboBox()
|
||||
for s in _SOURCING_TYPES:
|
||||
self._sourcing_combo.addItem(s.capitalize(), s)
|
||||
fl.addRow("Sourcing:", self._sourcing_combo)
|
||||
|
||||
self._cost_spin = QtWidgets.QDoubleSpinBox()
|
||||
self._cost_spin.setDecimals(2)
|
||||
self._cost_spin.setRange(0, 1e9)
|
||||
self._cost_spin.setPrefix("$ ")
|
||||
self._cost_spin.setSpecialValueText("")
|
||||
fl.addRow("Standard Cost:", self._cost_spin)
|
||||
|
||||
self._sourcing_url = QtWidgets.QLineEdit()
|
||||
self._sourcing_url.setPlaceholderText("https://...")
|
||||
fl.addRow("Sourcing URL:", self._sourcing_url)
|
||||
|
||||
self._form_layout.addWidget(sourcing)
|
||||
|
||||
# --- Details section ---
|
||||
details = _CollapsibleGroup("Details", collapsed=True)
|
||||
fl = details.form_layout()
|
||||
|
||||
self._long_desc = QtWidgets.QTextEdit()
|
||||
self._long_desc.setMaximumHeight(80)
|
||||
self._long_desc.setPlaceholderText("Detailed description...")
|
||||
fl.addRow("Long Description:", self._long_desc)
|
||||
|
||||
# Project selection
|
||||
self._project_list = QtWidgets.QListWidget()
|
||||
self._project_list.setSelectionMode(QtWidgets.QAbstractItemView.MultiSelection)
|
||||
self._project_list.setMaximumHeight(100)
|
||||
for proj in self._projects:
|
||||
code = proj.get("code", "")
|
||||
name = proj.get("name", "")
|
||||
label = f"{code} \u2014 {name}" if name else code
|
||||
item = QtWidgets.QListWidgetItem(label)
|
||||
item.setData(QtCore.Qt.UserRole, code)
|
||||
self._project_list.addItem(item)
|
||||
if self._projects:
|
||||
fl.addRow("Projects:", self._project_list)
|
||||
|
||||
self._form_layout.addWidget(details)
|
||||
|
||||
# --- Dynamic property groups (inserted here on category change) ---
|
||||
self._prop_insert_index = self._form_layout.count()
|
||||
|
||||
# Spacer
|
||||
self._form_layout.addStretch()
|
||||
|
||||
# --- Buttons ---
|
||||
btn_layout = QtWidgets.QHBoxLayout()
|
||||
btn_layout.addStretch()
|
||||
|
||||
self._cancel_btn = QtWidgets.QPushButton("Cancel")
|
||||
self._cancel_btn.clicked.connect(self.cancelled.emit)
|
||||
btn_layout.addWidget(self._cancel_btn)
|
||||
|
||||
self._create_btn = QtWidgets.QPushButton("Create")
|
||||
self._create_btn.setEnabled(False)
|
||||
self._create_btn.setDefault(True)
|
||||
self._create_btn.clicked.connect(self._on_create)
|
||||
btn_layout.addWidget(self._create_btn)
|
||||
|
||||
root.addLayout(btn_layout)
|
||||
|
||||
# -- category change ----------------------------------------------------
|
||||
|
||||
def _on_category_changed(self, category: str):
|
||||
"""Rebuild property groups when category selection changes."""
|
||||
self._create_btn.setEnabled(bool(category))
|
||||
|
||||
# Remove old property groups
|
||||
for group in self._prop_groups:
|
||||
self._form_layout.removeWidget(group)
|
||||
group.deleteLater()
|
||||
self._prop_groups.clear()
|
||||
self._prop_widgets.clear()
|
||||
|
||||
if not category:
|
||||
self._pn_label.setText("Part Number: \u2014")
|
||||
return
|
||||
|
||||
# Trigger part number preview
|
||||
self._pn_timer.start()
|
||||
|
||||
# Fetch properties
|
||||
all_props = self._fetch_properties(category)
|
||||
if not all_props:
|
||||
return
|
||||
|
||||
# Separate into category-specific and common (default) properties.
|
||||
# The server merges them but we can identify category-specific ones
|
||||
# by checking what the schema defines for this category prefix.
|
||||
prefix = category[0]
|
||||
domain_label = _DOMAIN_LABELS.get(prefix, prefix)
|
||||
|
||||
# We fetch the raw schema to determine which keys are category-specific.
|
||||
# For now, use a heuristic: keys that are NOT in the well-known defaults
|
||||
# list are category-specific.
|
||||
_KNOWN_DEFAULTS = {
|
||||
"manufacturer",
|
||||
"manufacturer_pn",
|
||||
"supplier",
|
||||
"supplier_pn",
|
||||
"sourcing_link",
|
||||
"standard_cost",
|
||||
"lead_time_days",
|
||||
"minimum_order_qty",
|
||||
"lifecycle_status",
|
||||
"rohs_compliant",
|
||||
"country_of_origin",
|
||||
"notes",
|
||||
}
|
||||
|
||||
cat_specific = {}
|
||||
common = {}
|
||||
for key, pdef in sorted(all_props.items()):
|
||||
if key in _KNOWN_DEFAULTS:
|
||||
common[key] = pdef
|
||||
else:
|
||||
cat_specific[key] = pdef
|
||||
|
||||
insert_pos = self._prop_insert_index
|
||||
|
||||
# Category-specific properties group
|
||||
if cat_specific:
|
||||
group = _CollapsibleGroup(f"{domain_label} Properties")
|
||||
fl = group.form_layout()
|
||||
for key, pdef in cat_specific.items():
|
||||
label = key.replace("_", " ").title()
|
||||
widget = _make_field(pdef)
|
||||
fl.addRow(f"{label}:", widget)
|
||||
self._prop_widgets[key] = (widget, pdef)
|
||||
self._form_layout.insertWidget(insert_pos, group)
|
||||
self._prop_groups.append(group)
|
||||
insert_pos += 1
|
||||
|
||||
# Common properties group (collapsed by default)
|
||||
if common:
|
||||
group = _CollapsibleGroup("Common Properties", collapsed=True)
|
||||
fl = group.form_layout()
|
||||
for key, pdef in common.items():
|
||||
label = key.replace("_", " ").title()
|
||||
widget = _make_field(pdef)
|
||||
fl.addRow(f"{label}:", widget)
|
||||
self._prop_widgets[key] = (widget, pdef)
|
||||
self._form_layout.insertWidget(insert_pos, group)
|
||||
self._prop_groups.append(group)
|
||||
|
||||
def _update_pn_preview(self):
|
||||
"""Fetch and display the next part number preview."""
|
||||
category = self._cat_picker.selected_category()
|
||||
if not category:
|
||||
self._pn_label.setText("Part Number: \u2014")
|
||||
return
|
||||
|
||||
pn = self._generate_pn_preview(category)
|
||||
if pn:
|
||||
self._pn_label.setText(f"Part Number: {pn}")
|
||||
self.setWindowTitle(f"New: {pn}")
|
||||
else:
|
||||
self._pn_label.setText(f"Part Number: {category}-????")
|
||||
self.setWindowTitle(f"New: {category}-????")
|
||||
|
||||
# -- submission ---------------------------------------------------------
|
||||
|
||||
def _collect_form_data(self) -> dict:
|
||||
"""Collect all form values into a dict suitable for create_item."""
|
||||
category = self._cat_picker.selected_category()
|
||||
description = self._desc_edit.text().strip()
|
||||
item_type = self._type_combo.currentData()
|
||||
sourcing_type = self._sourcing_combo.currentData()
|
||||
cost_text = self._cost_spin.text().strip().lstrip("$ ")
|
||||
standard_cost = float(cost_text) if cost_text else None
|
||||
sourcing_link = self._sourcing_url.text().strip() or None
|
||||
long_description = self._long_desc.toPlainText().strip() or None
|
||||
|
||||
# Projects
|
||||
selected_projects = []
|
||||
for item in self._project_list.selectedItems():
|
||||
code = item.data(QtCore.Qt.UserRole)
|
||||
if code:
|
||||
selected_projects.append(code)
|
||||
|
||||
# Properties
|
||||
properties = {}
|
||||
for key, (widget, pdef) in self._prop_widgets.items():
|
||||
val = _read_field(widget, pdef)
|
||||
if val is not None and val != "":
|
||||
properties[key] = val
|
||||
|
||||
return {
|
||||
"category": category,
|
||||
"description": description,
|
||||
"item_type": item_type,
|
||||
"sourcing_type": sourcing_type,
|
||||
"standard_cost": standard_cost,
|
||||
"sourcing_link": sourcing_link,
|
||||
"long_description": long_description,
|
||||
"projects": selected_projects if selected_projects else None,
|
||||
"properties": properties if properties else None,
|
||||
}
|
||||
|
||||
def _on_create(self):
|
||||
"""Validate and submit the form."""
|
||||
self._error_label.hide()
|
||||
data = self._collect_form_data()
|
||||
|
||||
if not data["category"]:
|
||||
self._error_label.setText("Category is required.")
|
||||
self._error_label.show()
|
||||
return
|
||||
|
||||
try:
|
||||
result = self._client.create_item(
|
||||
"kindred-rd",
|
||||
data["category"],
|
||||
data["description"],
|
||||
projects=data["projects"],
|
||||
)
|
||||
result["_form_data"] = data
|
||||
self.item_created.emit(result)
|
||||
except Exception as e:
|
||||
self._error_label.setText(f"Failed to create item: {e}")
|
||||
self._error_label.show()
|
||||
|
||||
|
||||
# ---------------------------------------------------------------------------
|
||||
# Modal dialog wrapper (backward compatibility)
|
||||
# ---------------------------------------------------------------------------
|
||||
|
||||
|
||||
class SchemaFormDialog(QtWidgets.QDialog):
|
||||
"""Modal dialog wrapper around :class:`SchemaFormWidget`.
|
||||
|
||||
Provides the same ``exec_and_create()`` API as the original
|
||||
implementation for callers that still need blocking modal behavior.
|
||||
"""
|
||||
|
||||
def __init__(self, client, parent=None):
|
||||
super().__init__(parent)
|
||||
self.setWindowTitle("New Item")
|
||||
self.setMinimumSize(600, 500)
|
||||
self.resize(680, 700)
|
||||
self._result = None
|
||||
|
||||
layout = QtWidgets.QVBoxLayout(self)
|
||||
layout.setContentsMargins(0, 0, 0, 0)
|
||||
self._form = SchemaFormWidget(client, parent=self)
|
||||
self._form.item_created.connect(self._on_created)
|
||||
self._form.cancelled.connect(self.reject)
|
||||
layout.addWidget(self._form)
|
||||
|
||||
@property
|
||||
def _desc_edit(self):
|
||||
"""Expose description field for pre-fill by callers."""
|
||||
return self._form._desc_edit
|
||||
|
||||
def _on_created(self, result):
|
||||
self._result = result
|
||||
self.accept()
|
||||
|
||||
def exec_and_create(self):
|
||||
"""Show dialog and return the creation result, or None if cancelled."""
|
||||
if self.exec_() == QtWidgets.QDialog.Accepted:
|
||||
return self._result
|
||||
return None
|
||||
@@ -594,149 +594,45 @@ class Silo_Open:
|
||||
}
|
||||
|
||||
def Activated(self):
|
||||
from PySide import QtCore, QtGui
|
||||
from PySide import QtGui, QtWidgets
|
||||
|
||||
dialog = QtGui.QDialog()
|
||||
dialog.setWindowTitle("Silo - Open Item")
|
||||
dialog.setMinimumWidth(700)
|
||||
dialog.setMinimumHeight(500)
|
||||
from open_search import OpenItemWidget
|
||||
|
||||
layout = QtGui.QVBoxLayout(dialog)
|
||||
mw = FreeCADGui.getMainWindow()
|
||||
mdi = mw.findChild(QtWidgets.QMdiArea)
|
||||
if not mdi:
|
||||
return
|
||||
|
||||
# Search row
|
||||
search_layout = QtGui.QHBoxLayout()
|
||||
search_input = QtGui.QLineEdit()
|
||||
search_input.setPlaceholderText("Search by part number or description...")
|
||||
search_layout.addWidget(search_input)
|
||||
layout.addLayout(search_layout)
|
||||
widget = OpenItemWidget(_client, search_local_files)
|
||||
|
||||
# Filters
|
||||
filter_layout = QtGui.QHBoxLayout()
|
||||
db_checkbox = QtGui.QCheckBox("Database")
|
||||
db_checkbox.setChecked(True)
|
||||
local_checkbox = QtGui.QCheckBox("Local Files")
|
||||
local_checkbox.setChecked(True)
|
||||
filter_layout.addWidget(db_checkbox)
|
||||
filter_layout.addWidget(local_checkbox)
|
||||
filter_layout.addStretch()
|
||||
layout.addLayout(filter_layout)
|
||||
sw = mdi.addSubWindow(widget)
|
||||
sw.setWindowTitle("Open Item")
|
||||
sw.setWindowIcon(QtGui.QIcon(_icon("open")))
|
||||
sw.show()
|
||||
mdi.setActiveSubWindow(sw)
|
||||
|
||||
# Results table
|
||||
results_table = QtGui.QTableWidget()
|
||||
results_table.setColumnCount(5)
|
||||
results_table.setHorizontalHeaderLabels(
|
||||
["Part Number", "Description", "Type", "Source", "Modified"]
|
||||
)
|
||||
results_table.setSelectionBehavior(QtGui.QAbstractItemView.SelectRows)
|
||||
results_table.setSelectionMode(QtGui.QAbstractItemView.SingleSelection)
|
||||
results_table.horizontalHeader().setStretchLastSection(True)
|
||||
results_table.setEditTriggers(QtGui.QAbstractItemView.NoEditTriggers)
|
||||
layout.addWidget(results_table)
|
||||
|
||||
results_data = []
|
||||
|
||||
def do_search():
|
||||
nonlocal results_data
|
||||
search_term = search_input.text().strip()
|
||||
results_data = []
|
||||
results_table.setRowCount(0)
|
||||
|
||||
if db_checkbox.isChecked():
|
||||
try:
|
||||
for item in _client.list_items(search=search_term):
|
||||
results_data.append(
|
||||
{
|
||||
"part_number": item.get("part_number", ""),
|
||||
"description": item.get("description", ""),
|
||||
"item_type": item.get("item_type", ""),
|
||||
"source": "database",
|
||||
"modified": item.get("updated_at", "")[:10]
|
||||
if item.get("updated_at")
|
||||
else "",
|
||||
"path": None,
|
||||
}
|
||||
)
|
||||
except Exception as e:
|
||||
FreeCAD.Console.PrintWarning(f"DB search failed: {e}\n")
|
||||
|
||||
if local_checkbox.isChecked():
|
||||
try:
|
||||
for item in search_local_files(search_term):
|
||||
existing = next(
|
||||
(r for r in results_data if r["part_number"] == item["part_number"]),
|
||||
None,
|
||||
)
|
||||
if existing:
|
||||
existing["source"] = "both"
|
||||
existing["path"] = item.get("path")
|
||||
else:
|
||||
results_data.append(
|
||||
{
|
||||
"part_number": item.get("part_number", ""),
|
||||
"description": item.get("description", ""),
|
||||
"item_type": "",
|
||||
"source": "local",
|
||||
"modified": item.get("modified", "")[:10]
|
||||
if item.get("modified")
|
||||
else "",
|
||||
"path": item.get("path"),
|
||||
}
|
||||
)
|
||||
except Exception as e:
|
||||
FreeCAD.Console.PrintWarning(f"Local search failed: {e}\n")
|
||||
|
||||
results_table.setRowCount(len(results_data))
|
||||
for row, data in enumerate(results_data):
|
||||
results_table.setItem(row, 0, QtGui.QTableWidgetItem(data["part_number"]))
|
||||
results_table.setItem(row, 1, QtGui.QTableWidgetItem(data["description"]))
|
||||
results_table.setItem(row, 2, QtGui.QTableWidgetItem(data["item_type"]))
|
||||
results_table.setItem(row, 3, QtGui.QTableWidgetItem(data["source"]))
|
||||
results_table.setItem(row, 4, QtGui.QTableWidgetItem(data["modified"]))
|
||||
results_table.resizeColumnsToContents()
|
||||
|
||||
_open_after_close = [None]
|
||||
|
||||
def open_selected():
|
||||
selected = results_table.selectedItems()
|
||||
if not selected:
|
||||
return
|
||||
row = selected[0].row()
|
||||
_open_after_close[0] = dict(results_data[row])
|
||||
dialog.accept()
|
||||
|
||||
search_input.textChanged.connect(lambda: do_search())
|
||||
results_table.doubleClicked.connect(open_selected)
|
||||
|
||||
# Buttons
|
||||
btn_layout = QtGui.QHBoxLayout()
|
||||
open_btn = QtGui.QPushButton("Open")
|
||||
open_btn.clicked.connect(open_selected)
|
||||
cancel_btn = QtGui.QPushButton("Cancel")
|
||||
cancel_btn.clicked.connect(dialog.reject)
|
||||
btn_layout.addStretch()
|
||||
btn_layout.addWidget(open_btn)
|
||||
btn_layout.addWidget(cancel_btn)
|
||||
layout.addLayout(btn_layout)
|
||||
|
||||
do_search()
|
||||
dialog.exec_()
|
||||
|
||||
# Open the document AFTER the dialog has fully closed so that
|
||||
# heavy document loads (especially Assembly files) don't run
|
||||
# inside the dialog's nested event loop, which can cause crashes.
|
||||
data = _open_after_close[0]
|
||||
if data is not None:
|
||||
def _on_selected(data):
|
||||
sw.close()
|
||||
if data.get("path"):
|
||||
FreeCAD.openDocument(data["path"])
|
||||
else:
|
||||
_sync.open_item(data["part_number"])
|
||||
|
||||
widget.item_selected.connect(_on_selected)
|
||||
widget.cancelled.connect(sw.close)
|
||||
|
||||
def IsActive(self):
|
||||
return True
|
||||
|
||||
|
||||
class Silo_New:
|
||||
"""Create new item with part number."""
|
||||
"""Create new item with part number.
|
||||
|
||||
Opens a pre-document MDI tab containing the schema-driven creation
|
||||
form. Each invocation opens a new tab so multiple items can be
|
||||
prepared in parallel. On successful creation the tab closes and
|
||||
the real document opens in its place.
|
||||
"""
|
||||
|
||||
def GetResources(self):
|
||||
return {
|
||||
@@ -746,112 +642,60 @@ class Silo_New:
|
||||
}
|
||||
|
||||
def Activated(self):
|
||||
from PySide import QtGui
|
||||
from PySide import QtGui, QtWidgets
|
||||
|
||||
sel = FreeCADGui.Selection.getSelection()
|
||||
from schema_form import SchemaFormWidget
|
||||
|
||||
# Category selection
|
||||
try:
|
||||
schema = _client.get_schema()
|
||||
categories = schema.get("segments", [])
|
||||
cat_segment = next((s for s in categories if s.get("name") == "category"), None)
|
||||
if cat_segment and cat_segment.get("values"):
|
||||
cat_list = [f"{k} - {v}" for k, v in sorted(cat_segment["values"].items())]
|
||||
category_str, ok = QtGui.QInputDialog.getItem(
|
||||
None, "New Item", "Category:", cat_list, 0, False
|
||||
)
|
||||
if not ok:
|
||||
return
|
||||
category = category_str.split(" - ")[0]
|
||||
else:
|
||||
category, ok = QtGui.QInputDialog.getText(None, "New Item", "Category code:")
|
||||
if not ok:
|
||||
return
|
||||
except Exception:
|
||||
category, ok = QtGui.QInputDialog.getText(None, "New Item", "Category code:")
|
||||
if not ok:
|
||||
return
|
||||
|
||||
# Description
|
||||
default_desc = sel[0].Label if sel else ""
|
||||
description, ok = QtGui.QInputDialog.getText(
|
||||
None, "New Item", "Description:", text=default_desc
|
||||
)
|
||||
if not ok:
|
||||
mw = FreeCADGui.getMainWindow()
|
||||
mdi = mw.findChild(QtWidgets.QMdiArea)
|
||||
if not mdi:
|
||||
return
|
||||
|
||||
# Optional project tagging
|
||||
selected_projects = []
|
||||
try:
|
||||
projects = _client.get_projects()
|
||||
if projects:
|
||||
project_codes = [p.get("code", "") for p in projects if p.get("code")]
|
||||
if project_codes:
|
||||
# Multi-select dialog for projects
|
||||
dialog = QtGui.QDialog()
|
||||
dialog.setWindowTitle("Tag with Projects (Optional)")
|
||||
dialog.setMinimumWidth(300)
|
||||
layout = QtGui.QVBoxLayout(dialog)
|
||||
# Each invocation creates a new pre-document tab
|
||||
form = SchemaFormWidget(_client)
|
||||
|
||||
label = QtGui.QLabel("Select projects to tag this item with:")
|
||||
layout.addWidget(label)
|
||||
# Pre-fill description from current selection
|
||||
sel = FreeCADGui.Selection.getSelection()
|
||||
if sel:
|
||||
form._desc_edit.setText(sel[0].Label)
|
||||
|
||||
list_widget = QtGui.QListWidget()
|
||||
list_widget.setSelectionMode(QtGui.QAbstractItemView.MultiSelection)
|
||||
for code in project_codes:
|
||||
list_widget.addItem(code)
|
||||
layout.addWidget(list_widget)
|
||||
# Add as MDI subwindow (appears as a tab alongside documents)
|
||||
sw = mdi.addSubWindow(form)
|
||||
sw.setWindowTitle("New Item")
|
||||
sw.setWindowIcon(QtGui.QIcon(_icon("new")))
|
||||
sw.show()
|
||||
mdi.setActiveSubWindow(sw)
|
||||
|
||||
btn_layout = QtGui.QHBoxLayout()
|
||||
skip_btn = QtGui.QPushButton("Skip")
|
||||
ok_btn = QtGui.QPushButton("Tag Selected")
|
||||
btn_layout.addWidget(skip_btn)
|
||||
btn_layout.addWidget(ok_btn)
|
||||
layout.addLayout(btn_layout)
|
||||
|
||||
skip_btn.clicked.connect(dialog.reject)
|
||||
ok_btn.clicked.connect(dialog.accept)
|
||||
|
||||
if dialog.exec_() == QtGui.QDialog.Accepted:
|
||||
selected_projects = [item.text() for item in list_widget.selectedItems()]
|
||||
except Exception as e:
|
||||
FreeCAD.Console.PrintWarning(f"Could not fetch projects: {e}\n")
|
||||
|
||||
try:
|
||||
result = _client.create_item(
|
||||
"kindred-rd",
|
||||
category,
|
||||
description,
|
||||
projects=selected_projects if selected_projects else None,
|
||||
)
|
||||
# On creation: process result, close tab, open real document
|
||||
def _on_created(result):
|
||||
part_number = result["part_number"]
|
||||
|
||||
if sel:
|
||||
# Tag selected object
|
||||
obj = sel[0]
|
||||
set_silo_properties(
|
||||
obj,
|
||||
{
|
||||
"SiloItemId": result.get("id", ""),
|
||||
"SiloPartNumber": part_number,
|
||||
"SiloRevision": 1,
|
||||
},
|
||||
)
|
||||
obj.Label = part_number
|
||||
_sync.save_to_canonical_path(FreeCAD.ActiveDocument, force_rename=True)
|
||||
else:
|
||||
# Create new document
|
||||
_sync.create_document_for_item(result, save=True)
|
||||
try:
|
||||
sel_now = FreeCADGui.Selection.getSelection()
|
||||
if sel_now:
|
||||
obj = sel_now[0]
|
||||
set_silo_properties(
|
||||
obj,
|
||||
{
|
||||
"SiloItemId": result.get("id", ""),
|
||||
"SiloPartNumber": part_number,
|
||||
"SiloRevision": 1,
|
||||
},
|
||||
)
|
||||
obj.Label = part_number
|
||||
_sync.save_to_canonical_path(FreeCAD.ActiveDocument, force_rename=True)
|
||||
else:
|
||||
_sync.create_document_for_item(result, save=True)
|
||||
|
||||
msg = f"Part number: {part_number}"
|
||||
if selected_projects:
|
||||
msg += f"\nTagged with projects: {', '.join(selected_projects)}"
|
||||
FreeCAD.Console.PrintMessage(f"Created: {part_number}\n")
|
||||
except Exception as e:
|
||||
FreeCAD.Console.PrintError(f"Failed to process created item: {e}\n")
|
||||
|
||||
FreeCAD.Console.PrintMessage(f"Created: {part_number}\n")
|
||||
QtGui.QMessageBox.information(None, "Item Created", msg)
|
||||
# Close the pre-document tab
|
||||
sw.close()
|
||||
|
||||
except Exception as e:
|
||||
QtGui.QMessageBox.critical(None, "Error", str(e))
|
||||
form.item_created.connect(_on_created)
|
||||
form.cancelled.connect(sw.close)
|
||||
|
||||
def IsActive(self):
|
||||
return _server_mode == "normal"
|
||||
@@ -2350,23 +2194,30 @@ class SiloEventListener(QtCore.QThread):
|
||||
# -- thread entry -------------------------------------------------------
|
||||
|
||||
def run(self):
|
||||
import time
|
||||
|
||||
retries = 0
|
||||
last_error = ""
|
||||
while not self._stop_flag:
|
||||
t0 = time.monotonic()
|
||||
try:
|
||||
self._listen()
|
||||
# _listen returns normally only on clean EOF / stop
|
||||
if self._stop_flag:
|
||||
return
|
||||
retries += 1
|
||||
last_error = "connection closed"
|
||||
except _SSEUnsupported:
|
||||
self.connection_status.emit("unsupported", 0, "")
|
||||
return
|
||||
except Exception as exc:
|
||||
retries += 1
|
||||
last_error = str(exc) or "unknown error"
|
||||
|
||||
# Reset retries if the connection was up for a while
|
||||
elapsed = time.monotonic() - t0
|
||||
if elapsed > 30:
|
||||
retries = 0
|
||||
retries += 1
|
||||
|
||||
if retries > self._MAX_RETRIES:
|
||||
self.connection_status.emit("gave_up", retries - 1, last_error)
|
||||
return
|
||||
|
||||
@@ -392,12 +392,17 @@ class SiloOrigin:
|
||||
obj.SiloPartNumber, str(file_path), properties, comment=""
|
||||
)
|
||||
|
||||
# Clear modified flag
|
||||
doc.Modified = False
|
||||
# Clear modified flag (Modified is on Gui.Document, not App.Document)
|
||||
gui_doc = FreeCADGui.getDocument(doc.Name)
|
||||
if gui_doc:
|
||||
gui_doc.Modified = False
|
||||
|
||||
return True
|
||||
except Exception as e:
|
||||
import traceback
|
||||
|
||||
FreeCAD.Console.PrintError(f"Silo save failed: {e}\n")
|
||||
FreeCAD.Console.PrintError(traceback.format_exc())
|
||||
return False
|
||||
|
||||
def saveDocumentAs(self, doc, newIdentity: str) -> bool:
|
||||
|
||||
Reference in New Issue
Block a user