Codebase dedublication and Cleanup refactor Documentation updated as well Preferences update Removed testfiles from repository
766 lines
39 KiB
Python
766 lines
39 KiB
Python
# gui/unified_view_model.py
|
|
import logging # Added for debugging
|
|
log = logging.getLogger(__name__) # Added for debugging
|
|
from PySide6.QtCore import QAbstractItemModel, QModelIndex, Qt, Signal, Slot # Added Signal and Slot
|
|
from PySide6.QtGui import QColor # Added for background role
|
|
from pathlib import Path # Added for file_name extraction
|
|
from rule_structure import SourceRule, AssetRule, FileRule # Removed AssetType, ItemType import
|
|
from configuration import load_base_config # Import load_base_config
|
|
from typing import List # Added for type hinting
|
|
|
|
class UnifiedViewModel(QAbstractItemModel):
|
|
# --- Color Constants for Row Backgrounds ---
|
|
# Old colors removed, using config now + fixed source color
|
|
SOURCE_RULE_COLOR = QColor("#306091") # Fixed color for SourceRule rows
|
|
# -----------------------------------------
|
|
|
|
"""
|
|
A QAbstractItemModel for displaying and editing the hierarchical structure
|
|
of SourceRule -> AssetRule -> FileRule.
|
|
"""
|
|
# Signal emitted when a FileRule's target asset override changes.
|
|
# Carries the index of the FileRule and the new target asset path (or None).
|
|
targetAssetOverrideChanged = Signal(QModelIndex, object)
|
|
|
|
Columns = [
|
|
"Name", "Target Asset", "Supplier",
|
|
"Asset Type", "Item Type"
|
|
]
|
|
|
|
COL_NAME = 0
|
|
COL_TARGET_ASSET = 1
|
|
COL_SUPPLIER = 2
|
|
COL_ASSET_TYPE = 3
|
|
COL_ITEM_TYPE = 4
|
|
# COL_STATUS = 5 # Removed
|
|
# COL_OUTPUT_PATH = 6 # Removed
|
|
|
|
def __init__(self, parent=None):
|
|
super().__init__(parent)
|
|
self._source_rules = [] # Now stores a list of SourceRule objects
|
|
# self._display_mode removed
|
|
self._asset_type_colors = {}
|
|
self._file_type_colors = {}
|
|
self._asset_type_keys = [] # Store asset type keys
|
|
self._file_type_keys = [] # Store file type keys
|
|
self._load_definitions() # Load colors and keys
|
|
|
|
def _load_definitions(self):
|
|
"""Loads configuration and caches colors and type keys."""
|
|
try:
|
|
base_config = load_base_config()
|
|
asset_type_defs = base_config.get('ASSET_TYPE_DEFINITIONS', {})
|
|
file_type_defs = base_config.get('FILE_TYPE_DEFINITIONS', {})
|
|
|
|
# Cache Asset Type Definitions (Keys and Colors)
|
|
self._asset_type_keys = sorted(list(asset_type_defs.keys()))
|
|
for type_name, type_info in asset_type_defs.items():
|
|
hex_color = type_info.get("color")
|
|
if hex_color:
|
|
try:
|
|
self._asset_type_colors[type_name] = QColor(hex_color)
|
|
except ValueError:
|
|
log.warning(f"Invalid hex color '{hex_color}' for asset type '{type_name}' in config.")
|
|
|
|
# Cache File Type Definitions (Keys and Colors)
|
|
self._file_type_keys = sorted(list(file_type_defs.keys()))
|
|
for type_name, type_info in file_type_defs.items():
|
|
hex_color = type_info.get("color")
|
|
if hex_color:
|
|
try:
|
|
self._file_type_colors[type_name] = QColor(hex_color)
|
|
except ValueError:
|
|
log.warning(f"Invalid hex color '{hex_color}' for file type '{type_name}' in config.")
|
|
|
|
except Exception as e:
|
|
log.exception(f"Error loading or caching colors from configuration: {e}")
|
|
# Ensure caches/lists are empty if loading fails
|
|
self._asset_type_colors = {}
|
|
self._file_type_colors = {}
|
|
self._asset_type_keys = []
|
|
self._file_type_keys = []
|
|
|
|
def load_data(self, source_rules_list: list): # Accepts a list
|
|
"""Loads or reloads the model with a list of SourceRule objects."""
|
|
# Consider if color cache needs refreshing if config can change dynamically
|
|
# self._load_and_cache_colors() # Uncomment if config can change and needs refresh
|
|
self.beginResetModel()
|
|
self._source_rules = source_rules_list if source_rules_list else [] # Assign the new list
|
|
# Ensure back-references for parent lookup are set on the NEW items
|
|
for source_rule in self._source_rules:
|
|
for asset_rule in source_rule.assets:
|
|
asset_rule.parent_source = source_rule # Set parent SourceRule
|
|
for file_rule in asset_rule.files:
|
|
file_rule.parent_asset = asset_rule # Set parent AssetRule
|
|
self.endResetModel()
|
|
|
|
def clear_data(self):
|
|
"""Clears the model data."""
|
|
self.beginResetModel()
|
|
self._source_rules = [] # Clear the list
|
|
self.endResetModel()
|
|
|
|
def get_all_source_rules(self) -> list:
|
|
"""Returns the internal list of SourceRule objects."""
|
|
return self._source_rules
|
|
|
|
# set_display_mode removed
|
|
|
|
def rowCount(self, parent: QModelIndex = QModelIndex()) -> int:
|
|
"""Returns the number of rows under the given parent."""
|
|
if not parent.isValid():
|
|
# Parent is the invisible root. Children are the SourceRules.
|
|
return len(self._source_rules)
|
|
|
|
# Always use detailed logic
|
|
parent_item = parent.internalPointer()
|
|
if isinstance(parent_item, SourceRule):
|
|
return len(parent_item.assets)
|
|
elif isinstance(parent_item, AssetRule):
|
|
return len(parent_item.files)
|
|
elif isinstance(parent_item, FileRule):
|
|
return 0 # FileRules have no children
|
|
|
|
return 0 # Should not happen for valid items
|
|
|
|
def columnCount(self, parent: QModelIndex = QModelIndex()) -> int:
|
|
"""Returns the number of columns."""
|
|
return len(self.Columns)
|
|
|
|
def parent(self, index: QModelIndex) -> QModelIndex:
|
|
"""Returns the parent of the model item with the given index."""
|
|
if not index.isValid():
|
|
return QModelIndex()
|
|
|
|
child_item = index.internalPointer()
|
|
if child_item is None:
|
|
return QModelIndex()
|
|
|
|
# Determine the parent based on the item type
|
|
if isinstance(child_item, SourceRule):
|
|
# Parent is the invisible root
|
|
return QModelIndex()
|
|
elif isinstance(child_item, AssetRule):
|
|
# Parent is a SourceRule. Find its row in the _source_rules list.
|
|
parent_item = getattr(child_item, 'parent_source', None)
|
|
if parent_item and parent_item in self._source_rules:
|
|
try:
|
|
parent_row = self._source_rules.index(parent_item)
|
|
return self.createIndex(parent_row, 0, parent_item)
|
|
except ValueError:
|
|
return QModelIndex() # Should not happen if parent_source is correct
|
|
else:
|
|
return QModelIndex() # Parent SourceRule not found or reference missing
|
|
|
|
elif isinstance(child_item, FileRule):
|
|
# Parent is an AssetRule. Find its row within its parent SourceRule.
|
|
parent_item = getattr(child_item, 'parent_asset', None) # Get parent AssetRule
|
|
if parent_item:
|
|
grandparent_item = getattr(parent_item, 'parent_source', None) # Get the SourceRule
|
|
if grandparent_item:
|
|
try:
|
|
parent_row = grandparent_item.assets.index(parent_item)
|
|
# We need the index of the grandparent (SourceRule) to create the parent index
|
|
grandparent_row = self._source_rules.index(grandparent_item)
|
|
return self.createIndex(parent_row, 0, parent_item) # Create index for the AssetRule parent
|
|
except ValueError:
|
|
return QModelIndex() # Parent AssetRule or Grandparent SourceRule not found in respective lists
|
|
else:
|
|
return QModelIndex() # Grandparent (SourceRule) reference missing
|
|
else:
|
|
return QModelIndex() # Parent AssetRule reference missing
|
|
|
|
return QModelIndex() # Should not be reached
|
|
|
|
|
|
def index(self, row: int, column: int, parent: QModelIndex = QModelIndex()) -> QModelIndex:
|
|
"""Returns the index of the item in the model specified by the given row, column and parent index."""
|
|
if not self.hasIndex(row, column, parent):
|
|
return QModelIndex()
|
|
|
|
parent_item = None
|
|
if not parent.isValid():
|
|
# Parent is invisible root. Children are SourceRules.
|
|
if row < len(self._source_rules):
|
|
child_item = self._source_rules[row]
|
|
return self.createIndex(row, column, child_item)
|
|
else:
|
|
return QModelIndex() # Row out of bounds for top-level items
|
|
else:
|
|
# Parent is a valid index, get its item
|
|
parent_item = parent.internalPointer()
|
|
|
|
# Always use detailed logic
|
|
child_item = None
|
|
if isinstance(parent_item, SourceRule):
|
|
if row < len(parent_item.assets):
|
|
child_item = parent_item.assets[row]
|
|
if not hasattr(child_item, 'parent_source'):
|
|
child_item.parent_source = parent_item
|
|
elif isinstance(parent_item, AssetRule):
|
|
if row < len(parent_item.files):
|
|
child_item = parent_item.files[row]
|
|
if not hasattr(child_item, 'parent_asset'):
|
|
child_item.parent_asset = parent_item
|
|
|
|
if child_item:
|
|
return self.createIndex(row, column, child_item)
|
|
else:
|
|
return QModelIndex()
|
|
|
|
def data(self, index: QModelIndex, role: int = Qt.DisplayRole):
|
|
"""Returns the data stored under the given role for the item referred to by the index."""
|
|
if not index.isValid(): # Check only index validity, data list might be empty but valid
|
|
return None
|
|
|
|
item = index.internalPointer()
|
|
column = index.column()
|
|
|
|
# --- Handle Background Role ---
|
|
if role == Qt.BackgroundRole:
|
|
# item is already fetched at line 172
|
|
if isinstance(item, SourceRule):
|
|
return self.SOURCE_RULE_COLOR # Use the class constant
|
|
elif isinstance(item, AssetRule):
|
|
# Determine effective asset type
|
|
asset_type = item.asset_type_override if item.asset_type_override else item.asset_type
|
|
if asset_type:
|
|
# Use cached color
|
|
return self._asset_type_colors.get(asset_type) # Returns None if not found
|
|
else:
|
|
return None # Fallback if no asset_type determined
|
|
elif isinstance(item, FileRule):
|
|
# --- New Logic: Darkened Parent Background ---
|
|
parent_asset = getattr(item, 'parent_asset', None)
|
|
if parent_asset:
|
|
parent_asset_type = parent_asset.asset_type_override if parent_asset.asset_type_override else parent_asset.asset_type
|
|
parent_bg_color = self._asset_type_colors.get(parent_asset_type) if parent_asset_type else None
|
|
|
|
if parent_bg_color:
|
|
# Darken the parent color by ~30% (factor 130)
|
|
return parent_bg_color.darker(130)
|
|
else:
|
|
# Parent has no specific color, use default background
|
|
return None
|
|
else:
|
|
# Should not happen if structure is correct, but fallback to default
|
|
return None
|
|
# --- End New Logic ---
|
|
else: # Other item types or if item is None
|
|
return None
|
|
# --- Handle Foreground Role (Text Color) ---
|
|
elif role == Qt.ForegroundRole:
|
|
if isinstance(item, FileRule):
|
|
# Determine effective item type
|
|
effective_item_type = item.item_type_override if item.item_type_override is not None else item.item_type
|
|
if effective_item_type:
|
|
# Use cached color for text
|
|
return self._file_type_colors.get(effective_item_type) # Returns None if not found
|
|
# For SourceRule and AssetRule, return None to use default text color (usually contrasts well)
|
|
return None
|
|
|
|
# --- Handle other roles (Display, Edit, etc.) ---
|
|
if isinstance(item, SourceRule):
|
|
if role == Qt.DisplayRole or role == Qt.EditRole:
|
|
if column == self.COL_NAME:
|
|
# Always display name
|
|
return Path(item.input_path).name
|
|
elif column == self.COL_SUPPLIER: # Always handle supplier
|
|
display_value = item.supplier_override if item.supplier_override is not None else item.supplier_identifier
|
|
return display_value if display_value is not None else ""
|
|
return None # Other columns/roles are blank for SourceRule
|
|
|
|
# --- Logic for AssetRule and FileRule (previously detailed mode only) ---
|
|
elif isinstance(item, AssetRule):
|
|
if role == Qt.DisplayRole:
|
|
if column == self.COL_NAME: return item.asset_name
|
|
elif column == self.COL_ASSET_TYPE:
|
|
display_value = item.asset_type_override if item.asset_type_override is not None else item.asset_type
|
|
return display_value if display_value else ""
|
|
elif role == Qt.EditRole:
|
|
if column == self.COL_ASSET_TYPE:
|
|
return item.asset_type_override
|
|
return None
|
|
|
|
elif isinstance(item, FileRule):
|
|
if role == Qt.DisplayRole:
|
|
if column == self.COL_NAME: return Path(item.file_path).name
|
|
elif column == self.COL_TARGET_ASSET:
|
|
return item.target_asset_name_override if item.target_asset_name_override is not None else ""
|
|
elif column == self.COL_ITEM_TYPE:
|
|
override = item.item_type_override
|
|
initial_type = item.item_type
|
|
if override is not None: return override
|
|
else: return initial_type if initial_type else ""
|
|
elif role == Qt.EditRole:
|
|
if column == self.COL_TARGET_ASSET: return item.target_asset_name_override if item.target_asset_name_override is not None else ""
|
|
elif column == self.COL_ITEM_TYPE: return item.item_type_override
|
|
return None
|
|
|
|
return None
|
|
|
|
def setData(self, index: QModelIndex, value, role: int = Qt.EditRole) -> bool:
|
|
"""Sets the role data for the item at index to value."""
|
|
if not index.isValid() or role != Qt.EditRole: # Check only index and role
|
|
return False
|
|
|
|
item = index.internalPointer()
|
|
if item is None: # Extra check for safety
|
|
return False
|
|
column = index.column()
|
|
changed = False
|
|
|
|
# --- Handle different item types ---
|
|
if isinstance(item, SourceRule): # If SourceRule is editable
|
|
if column == self.COL_SUPPLIER:
|
|
# Get the new value, strip whitespace, treat empty as None
|
|
log.debug(f"setData COL_SUPPLIER: Index=({index.row()},{column}), Value='{value}', Type={type(value)}") # <-- ADDED LOGGING (Corrected Indentation)
|
|
new_value = str(value).strip() if value is not None and str(value).strip() else None
|
|
|
|
# Get the original identifier (assuming it exists on SourceRule)
|
|
original_identifier = getattr(item, 'supplier_identifier', None)
|
|
|
|
# If the new value is the same as the original, clear the override
|
|
if new_value == original_identifier:
|
|
new_value = None # Effectively removes the override
|
|
|
|
# Update supplier_override only if it's different
|
|
if item.supplier_override != new_value:
|
|
item.supplier_override = new_value
|
|
changed = True
|
|
|
|
elif isinstance(item, AssetRule):
|
|
if column == self.COL_ASSET_TYPE:
|
|
# Delegate provides string value (e.g., "Surface", "Model") or None
|
|
new_value = str(value) if value is not None else None
|
|
if new_value == "": new_value = None # Treat empty string as None
|
|
# Update asset_type_override
|
|
if item.asset_type_override != new_value:
|
|
item.asset_type_override = new_value
|
|
changed = True
|
|
|
|
elif isinstance(item, FileRule):
|
|
if column == self.COL_TARGET_ASSET: # Target Asset Name Override
|
|
# Ensure value is string or None
|
|
new_value = str(value).strip() if value is not None else None
|
|
if new_value == "": new_value = None # Treat empty string as None
|
|
# Update target_asset_name_override
|
|
if item.target_asset_name_override != new_value:
|
|
old_value = item.target_asset_name_override # Store old value for potential revert/comparison
|
|
item.target_asset_name_override = new_value
|
|
changed = True
|
|
# Emit signal that the override changed, let handler deal with restructuring
|
|
self.targetAssetOverrideChanged.emit(index, new_value)
|
|
elif column == self.COL_ITEM_TYPE: # Item-Type Override
|
|
# Delegate provides string value (e.g., "MAP_COL") or None
|
|
new_value = str(value) if value is not None else None
|
|
if new_value == "": new_value = None # Treat empty string as None
|
|
# Update item_type_override
|
|
if item.item_type_override != new_value:
|
|
log.debug(f"setData COL_ITEM_TYPE: File='{Path(item.file_path).name}', Original Override='{item.item_type_override}', Original Standard='{getattr(item, 'standard_map_type', 'N/A')}', New Value='{new_value}'") # DEBUG LOG - Added getattr for safety
|
|
old_override = item.item_type_override # Store old value for logging
|
|
item.item_type_override = new_value
|
|
changed = True
|
|
|
|
# --- BEGIN FIX: Update standard_map_type ---
|
|
try:
|
|
base_config = load_base_config()
|
|
file_type_definitions = base_config.get('FILE_TYPE_DEFINITIONS', {})
|
|
|
|
# Determine the type to look up (override first, then original)
|
|
type_to_lookup = new_value if new_value is not None else item.item_type
|
|
|
|
new_standard_type = None
|
|
if type_to_lookup:
|
|
type_info = file_type_definitions.get(type_to_lookup)
|
|
if type_info:
|
|
new_standard_type = type_info.get("standard_type")
|
|
# If standard_type itself is missing in the definition, treat as None or keep old? Let's default to None.
|
|
if new_standard_type is None:
|
|
log.warning(f"setData: No 'standard_type' defined for item type '{type_to_lookup}' in FILE_TYPE_DEFINITIONS.")
|
|
else:
|
|
log.warning(f"setData: Item type '{type_to_lookup}' not found in FILE_TYPE_DEFINITIONS.")
|
|
# Fallback: Keep the existing standard_map_type if lookup fails completely
|
|
new_standard_type = getattr(item, 'standard_map_type', None)
|
|
else:
|
|
# If both override and original type are None, standard type should be None
|
|
new_standard_type = None
|
|
|
|
# Update the standard_map_type if it changed or needs setting
|
|
current_standard_type = getattr(item, 'standard_map_type', None)
|
|
if current_standard_type != new_standard_type:
|
|
item.standard_map_type = new_standard_type
|
|
log.debug(f"setData: Updated standard_map_type from '{current_standard_type}' to '{new_standard_type}' for file '{Path(item.file_path).name}' based on type '{type_to_lookup}'")
|
|
# No need to set 'changed = True' again, already set above
|
|
|
|
except Exception as e:
|
|
log.exception(f"setData: Error updating standard_map_type for file '{Path(item.file_path).name}': {e}")
|
|
# --- END FIX ---
|
|
|
|
log.debug(f"setData COL_ITEM_TYPE: File='{Path(item.file_path).name}', Final Override='{item.item_type_override}', Final Standard='{getattr(item, 'standard_map_type', 'N/A')}'") # DEBUG LOG - Updated
|
|
|
|
|
|
if changed:
|
|
# Emit dataChanged for the specific index and affected roles
|
|
self.dataChanged.emit(index, index, [Qt.DisplayRole, Qt.EditRole])
|
|
return True
|
|
|
|
return False
|
|
|
|
def flags(self, index: QModelIndex) -> Qt.ItemFlags:
|
|
"""Returns the item flags for the given index."""
|
|
if not index.isValid():
|
|
return Qt.NoItemFlags # No flags for invalid index
|
|
|
|
# Start with default flags for a valid item
|
|
default_flags = Qt.ItemIsEnabled | Qt.ItemIsSelectable
|
|
|
|
item = index.internalPointer()
|
|
column = index.column()
|
|
|
|
# Always use detailed mode editability logic
|
|
can_edit = False
|
|
if isinstance(item, SourceRule):
|
|
if column == self.COL_SUPPLIER: can_edit = True
|
|
elif isinstance(item, AssetRule):
|
|
if column == self.COL_ASSET_TYPE: can_edit = True
|
|
elif isinstance(item, FileRule):
|
|
if column == self.COL_TARGET_ASSET: can_edit = True
|
|
if column == self.COL_ITEM_TYPE: can_edit = True
|
|
|
|
if can_edit:
|
|
return default_flags | Qt.ItemIsEditable
|
|
else:
|
|
return default_flags
|
|
|
|
def headerData(self, section: int, orientation: Qt.Orientation, role: int = Qt.DisplayRole):
|
|
"""Returns the data for the given role and section in the header."""
|
|
if orientation == Qt.Horizontal and role == Qt.DisplayRole:
|
|
if 0 <= section < len(self.Columns):
|
|
return self.Columns[section]
|
|
# Optionally handle Vertical header (row numbers)
|
|
# if orientation == Qt.Vertical and role == Qt.DisplayRole:
|
|
# return str(section + 1)
|
|
return None
|
|
|
|
# Helper to get item from index
|
|
def getItem(self, index: QModelIndex):
|
|
"""Safely returns the item associated with the index."""
|
|
if index.isValid():
|
|
item = index.internalPointer()
|
|
if item: # Ensure internal pointer is not None
|
|
return item
|
|
return None # Return None for invalid index or None pointer
|
|
# --- Method to update model based on prediction results, preserving overrides ---
|
|
def update_rules_for_sources(self, new_source_rules: List[SourceRule]):
|
|
"""
|
|
Updates the model's internal data based on a list of new SourceRule objects
|
|
(typically from prediction results), merging them with existing data while
|
|
preserving user overrides.
|
|
|
|
Args:
|
|
new_source_rules: A list of SourceRule objects containing the new structure.
|
|
"""
|
|
if not new_source_rules:
|
|
log.warning("UnifiedViewModel: update_rules_for_sources called with empty list.")
|
|
return
|
|
|
|
log.info(f"UnifiedViewModel: Updating rules for {len(new_source_rules)} source(s).")
|
|
|
|
for new_source_rule in new_source_rules:
|
|
source_path = new_source_rule.input_path
|
|
existing_source_rule = None
|
|
existing_source_row = -1
|
|
|
|
# 1. Find existing SourceRule in the model
|
|
for i, rule in enumerate(self._source_rules):
|
|
if rule.input_path == source_path:
|
|
existing_source_rule = rule
|
|
existing_source_row = i
|
|
break
|
|
|
|
if existing_source_rule is None:
|
|
# 2. Add New SourceRule if not found
|
|
log.debug(f"Adding new SourceRule for '{source_path}'")
|
|
# Ensure parent references are set within the new rule hierarchy
|
|
for asset_rule in new_source_rule.assets:
|
|
asset_rule.parent_source = new_source_rule
|
|
for file_rule in asset_rule.files:
|
|
file_rule.parent_asset = asset_rule
|
|
|
|
# Add to model's internal list and emit signal
|
|
insert_row = len(self._source_rules)
|
|
self.beginInsertRows(QModelIndex(), insert_row, insert_row)
|
|
self._source_rules.append(new_source_rule)
|
|
self.endInsertRows()
|
|
continue # Process next new_source_rule
|
|
|
|
# 3. Merge Existing SourceRule
|
|
log.debug(f"Merging SourceRule for '{source_path}'")
|
|
existing_source_index = self.createIndex(existing_source_row, 0, existing_source_rule)
|
|
if not existing_source_index.isValid():
|
|
log.error(f"Could not create valid index for existing SourceRule: {source_path}. Skipping.")
|
|
continue
|
|
|
|
# Update non-override SourceRule fields (e.g., supplier identifier if needed)
|
|
if existing_source_rule.supplier_identifier != new_source_rule.supplier_identifier:
|
|
# Only update if override is not set, or if you want prediction to always update base identifier
|
|
if existing_source_rule.supplier_override is None:
|
|
existing_source_rule.supplier_identifier = new_source_rule.supplier_identifier
|
|
# Emit dataChanged for the supplier column if it's displayed/editable at source level
|
|
supplier_col_index = self.createIndex(existing_source_row, self.COL_SUPPLIER, existing_source_rule)
|
|
self.dataChanged.emit(supplier_col_index, supplier_col_index, [Qt.DisplayRole, Qt.EditRole])
|
|
|
|
|
|
# --- Merge AssetRules ---
|
|
existing_assets_dict = {asset.asset_name: asset for asset in existing_source_rule.assets}
|
|
new_assets_dict = {asset.asset_name: asset for asset in new_source_rule.assets}
|
|
processed_asset_names = set()
|
|
|
|
# Iterate through new assets to update existing or add new ones
|
|
for asset_name, new_asset in new_assets_dict.items():
|
|
processed_asset_names.add(asset_name)
|
|
existing_asset = existing_assets_dict.get(asset_name)
|
|
|
|
if existing_asset:
|
|
# --- Update Existing AssetRule ---
|
|
log.debug(f" Merging AssetRule: {asset_name}")
|
|
existing_asset_row = existing_source_rule.assets.index(existing_asset)
|
|
existing_asset_index = self.createIndex(existing_asset_row, 0, existing_asset)
|
|
|
|
# Update non-override fields (e.g., asset_type)
|
|
if existing_asset.asset_type != new_asset.asset_type and existing_asset.asset_type_override is None:
|
|
existing_asset.asset_type = new_asset.asset_type
|
|
asset_type_col_index = self.createIndex(existing_asset_row, self.COL_ASSET_TYPE, existing_asset)
|
|
self.dataChanged.emit(asset_type_col_index, asset_type_col_index, [Qt.DisplayRole, Qt.EditRole, Qt.BackgroundRole]) # Include BackgroundRole for color
|
|
|
|
# --- Merge FileRules within the AssetRule ---
|
|
self._merge_file_rules(existing_asset, new_asset, existing_asset_index)
|
|
|
|
else:
|
|
# --- Add New AssetRule ---
|
|
log.debug(f" Adding new AssetRule: {asset_name}")
|
|
new_asset.parent_source = existing_source_rule # Set parent
|
|
# Ensure file parents are set
|
|
for file_rule in new_asset.files:
|
|
file_rule.parent_asset = new_asset
|
|
|
|
insert_row = len(existing_source_rule.assets)
|
|
self.beginInsertRows(existing_source_index, insert_row, insert_row)
|
|
existing_source_rule.assets.append(new_asset)
|
|
self.endInsertRows()
|
|
|
|
# --- Remove Old AssetRules ---
|
|
# Find assets in existing but not in new, and remove them in reverse order
|
|
assets_to_remove = []
|
|
for i, existing_asset in reversed(list(enumerate(existing_source_rule.assets))):
|
|
if existing_asset.asset_name not in processed_asset_names:
|
|
assets_to_remove.append((i, existing_asset.asset_name)) # Store index and name
|
|
|
|
for row_index, asset_name_to_remove in assets_to_remove:
|
|
log.debug(f" Removing old AssetRule: {asset_name_to_remove}")
|
|
self.beginRemoveRows(existing_source_index, row_index, row_index)
|
|
existing_source_rule.assets.pop(row_index)
|
|
self.endRemoveRows()
|
|
|
|
|
|
def _merge_file_rules(self, existing_asset: AssetRule, new_asset: AssetRule, parent_asset_index: QModelIndex):
|
|
"""Helper method to merge FileRules for a given AssetRule."""
|
|
existing_files_dict = {file.file_path: file for file in existing_asset.files}
|
|
new_files_dict = {file.file_path: file for file in new_asset.files}
|
|
processed_file_paths = set()
|
|
|
|
# Iterate through new files to update existing or add new ones
|
|
for file_path, new_file in new_files_dict.items():
|
|
processed_file_paths.add(file_path)
|
|
existing_file = existing_files_dict.get(file_path)
|
|
|
|
if existing_file:
|
|
# --- Update Existing FileRule ---
|
|
log.debug(f" Merging FileRule: {Path(file_path).name}")
|
|
existing_file_row = existing_asset.files.index(existing_file)
|
|
existing_file_index = self.createIndex(existing_file_row, 0, existing_file) # Index relative to parent_asset_index
|
|
|
|
# Update non-override fields (item_type, standard_map_type)
|
|
changed_roles = []
|
|
if existing_file.item_type != new_file.item_type and existing_file.item_type_override is None:
|
|
existing_file.item_type = new_file.item_type
|
|
changed_roles.extend([Qt.DisplayRole, Qt.EditRole, Qt.BackgroundRole]) # Include BackgroundRole for color
|
|
|
|
# Update standard_map_type (assuming it's derived/set during prediction)
|
|
# Check if standard_map_type exists on both objects before comparing
|
|
new_standard_type = getattr(new_file, 'standard_map_type', None)
|
|
old_standard_type = getattr(existing_file, 'standard_map_type', None)
|
|
if old_standard_type != new_standard_type:
|
|
# Update only if item_type_override is not set, as override dictates standard type
|
|
if existing_file.item_type_override is None:
|
|
existing_file.standard_map_type = new_standard_type
|
|
# standard_map_type might not directly affect display, but item_type change covers it
|
|
if Qt.DisplayRole not in changed_roles: # Avoid duplicates
|
|
changed_roles.extend([Qt.DisplayRole, Qt.EditRole])
|
|
|
|
|
|
# Emit dataChanged only if something actually changed
|
|
if changed_roles:
|
|
# Emit for all relevant columns potentially affected by type changes
|
|
for col in [self.COL_ITEM_TYPE]: # Add other cols if needed
|
|
col_index = self.createIndex(existing_file_row, col, existing_file)
|
|
self.dataChanged.emit(col_index, col_index, changed_roles)
|
|
|
|
else:
|
|
# --- Add New FileRule ---
|
|
log.debug(f" Adding new FileRule: {Path(file_path).name}")
|
|
new_file.parent_asset = existing_asset # Set parent
|
|
insert_row = len(existing_asset.files)
|
|
self.beginInsertRows(parent_asset_index, insert_row, insert_row)
|
|
existing_asset.files.append(new_file)
|
|
self.endInsertRows()
|
|
|
|
# --- Remove Old FileRules ---
|
|
files_to_remove = []
|
|
for i, existing_file in reversed(list(enumerate(existing_asset.files))):
|
|
if existing_file.file_path not in processed_file_paths:
|
|
files_to_remove.append((i, Path(existing_file.file_path).name))
|
|
|
|
for row_index, file_name_to_remove in files_to_remove:
|
|
log.debug(f" Removing old FileRule: {file_name_to_remove}")
|
|
self.beginRemoveRows(parent_asset_index, row_index, row_index)
|
|
existing_asset.files.pop(row_index)
|
|
self.endRemoveRows()
|
|
|
|
|
|
# --- Dedicated Model Restructuring Methods ---
|
|
|
|
def moveFileRule(self, source_file_index: QModelIndex, target_parent_asset_index: QModelIndex):
|
|
"""Moves a FileRule (source_file_index) to a different AssetRule parent (target_parent_asset_index)."""
|
|
if not source_file_index.isValid() or not target_parent_asset_index.isValid():
|
|
log.error("moveFileRule: Invalid source or target index provided.")
|
|
return False
|
|
|
|
file_item = source_file_index.internalPointer()
|
|
target_parent_asset = target_parent_asset_index.internalPointer()
|
|
|
|
if not isinstance(file_item, FileRule) or not isinstance(target_parent_asset, AssetRule):
|
|
log.error("moveFileRule: Invalid item types for source or target.")
|
|
return False
|
|
|
|
old_parent_asset = getattr(file_item, 'parent_asset', None)
|
|
if not old_parent_asset:
|
|
log.error(f"moveFileRule: Source file '{Path(file_item.file_path).name}' has no parent asset.")
|
|
return False
|
|
|
|
if old_parent_asset == target_parent_asset:
|
|
log.debug("moveFileRule: Source and target parent are the same. No move needed.")
|
|
return True # Technically successful, no change needed
|
|
|
|
# Get old parent index
|
|
source_rule = getattr(old_parent_asset, 'parent_source', None)
|
|
if not source_rule:
|
|
log.error(f"moveFileRule: Could not find SourceRule parent for old asset '{old_parent_asset.asset_name}'.")
|
|
return False
|
|
|
|
try:
|
|
old_parent_row = source_rule.assets.index(old_parent_asset)
|
|
old_parent_index = self.createIndex(old_parent_row, 0, old_parent_asset)
|
|
source_row = old_parent_asset.files.index(file_item)
|
|
except ValueError:
|
|
log.error("moveFileRule: Could not find old parent or source file within their respective lists.")
|
|
return False
|
|
|
|
target_row = len(target_parent_asset.files) # Append to the end of the target
|
|
|
|
log.debug(f"Moving file '{Path(file_item.file_path).name}' from '{old_parent_asset.asset_name}' (row {source_row}) to '{target_parent_asset.asset_name}' (row {target_row})")
|
|
self.beginMoveRows(old_parent_index, source_row, source_row, target_parent_asset_index, target_row)
|
|
# Restructure internal data
|
|
old_parent_asset.files.pop(source_row)
|
|
target_parent_asset.files.append(file_item)
|
|
file_item.parent_asset = target_parent_asset # Update parent reference
|
|
self.endMoveRows()
|
|
return True
|
|
|
|
def createAssetRule(self, source_rule: SourceRule, new_asset_name: str, copy_from_asset: AssetRule = None) -> QModelIndex:
|
|
"""Creates a new AssetRule under the given SourceRule and returns its index."""
|
|
if not isinstance(source_rule, SourceRule) or not new_asset_name:
|
|
log.error("createAssetRule: Invalid SourceRule or empty asset name provided.")
|
|
return QModelIndex()
|
|
|
|
# Check if asset already exists under this source
|
|
for asset in source_rule.assets:
|
|
if asset.asset_name == new_asset_name:
|
|
log.warning(f"createAssetRule: Asset '{new_asset_name}' already exists under '{Path(source_rule.input_path).name}'.")
|
|
# Return existing index? Or fail? Let's return existing for now.
|
|
try:
|
|
existing_row = source_rule.assets.index(asset)
|
|
return self.createIndex(existing_row, 0, asset)
|
|
except ValueError:
|
|
log.error("createAssetRule: Found existing asset but failed to get its index.")
|
|
return QModelIndex() # Should not happen
|
|
|
|
log.debug(f"Creating new AssetRule '{new_asset_name}' under '{Path(source_rule.input_path).name}'")
|
|
new_asset_rule = AssetRule(asset_name=new_asset_name)
|
|
new_asset_rule.parent_source = source_rule # Set parent reference
|
|
|
|
# Optionally copy type info from another asset
|
|
if isinstance(copy_from_asset, AssetRule):
|
|
new_asset_rule.asset_type = copy_from_asset.asset_type
|
|
new_asset_rule.asset_type_override = copy_from_asset.asset_type_override
|
|
|
|
# Find parent SourceRule index
|
|
try:
|
|
grandparent_row = self._source_rules.index(source_rule)
|
|
grandparent_index = self.createIndex(grandparent_row, 0, source_rule)
|
|
except ValueError:
|
|
log.error(f"createAssetRule: Could not find SourceRule '{Path(source_rule.input_path).name}' in the model's root list.")
|
|
return QModelIndex()
|
|
|
|
# Determine insertion row for the new parent (e.g., append)
|
|
new_parent_row = len(source_rule.assets)
|
|
|
|
# Emit signals for inserting the new parent row
|
|
self.beginInsertRows(grandparent_index, new_parent_row, new_parent_row)
|
|
source_rule.assets.insert(new_parent_row, new_asset_rule) # Insert into data structure
|
|
self.endInsertRows()
|
|
|
|
# Return index for the newly created asset
|
|
return self.createIndex(new_parent_row, 0, new_asset_rule)
|
|
|
|
|
|
def removeAssetRule(self, asset_rule_to_remove: AssetRule):
|
|
"""Removes an AssetRule if it's empty."""
|
|
if not isinstance(asset_rule_to_remove, AssetRule):
|
|
log.error("removeAssetRule: Invalid AssetRule provided.")
|
|
return False
|
|
|
|
if asset_rule_to_remove.files:
|
|
log.warning(f"removeAssetRule: Asset '{asset_rule_to_remove.asset_name}' is not empty. Removal aborted.")
|
|
return False # Do not remove non-empty assets automatically
|
|
|
|
source_rule = getattr(asset_rule_to_remove, 'parent_source', None)
|
|
if not source_rule:
|
|
log.error(f"removeAssetRule: Could not find parent SourceRule for asset '{asset_rule_to_remove.asset_name}'.")
|
|
return False
|
|
|
|
# Find parent SourceRule index and the row of the asset to remove
|
|
try:
|
|
grandparent_row = self._source_rules.index(source_rule)
|
|
grandparent_index = self.createIndex(grandparent_row, 0, source_rule)
|
|
asset_row_for_removal = source_rule.assets.index(asset_rule_to_remove)
|
|
except ValueError:
|
|
log.error(f"removeAssetRule: Could not find parent SourceRule or the AssetRule within its parent's list.")
|
|
return False
|
|
|
|
def get_asset_type_keys(self) -> List[str]:
|
|
"""Returns the cached list of asset type keys."""
|
|
return self._asset_type_keys
|
|
|
|
def get_file_type_keys(self) -> List[str]:
|
|
"""Returns the cached list of file type keys."""
|
|
return self._file_type_keys
|
|
log.debug(f"Removing empty AssetRule '{asset_rule_to_remove.asset_name}' at row {asset_row_for_removal} under '{Path(source_rule.input_path).name}'")
|
|
self.beginRemoveRows(grandparent_index, asset_row_for_removal, asset_row_for_removal)
|
|
source_rule.assets.pop(asset_row_for_removal)
|
|
self.endRemoveRows()
|
|
return True
|
|
|
|
# --- Placeholder for node finding method (Original Request - Replaced by direct list search above) ---
|
|
# Kept for reference, but the logic above directly searches self._source_rules |