我正在進行QAction,將剪貼板中的結構化文本粘貼到QTableWidget中。這是我當前的代碼:在QTableWidget中,如何確定空單元格是否可編輯?
class PasteCellsAction(qt.QAction):
def __init__(self, table):
if not isinstance(table, qt.QTableWidget):
raise ValueError('CopySelectedCellsAction must be initialised ' +
'with a QTableWidget.')
super(PasteCellsAction, self).__init__(table)
self.table = table
self.setText("Paste")
self.setShortcut(qt.QKeySequence('Ctrl+V'))
self.triggered.connect(self.pasteCellFromClipboard)
def pasteCellFromClipboard(self):
"""Paste text from cipboard into the table.
If the text contains tabulations and
newlines, they are interpreted as column and row separators.
In such a case, the text is split into multiple texts to be paste
into multiple cells.
:return: *True* in case of success, *False* if pasting data failed.
"""
selected_idx = self.table.selectedIndexes()
if len(selected_idx) != 1:
msgBox = qt.QMessageBox(parent=self.table)
msgBox.setText("A single cell must be selected to paste data")
msgBox.exec_()
return False
selected_row = selected_idx[0].row()
selected_col = selected_idx[0].column()
qapp = qt.QApplication.instance()
clipboard_text = qapp.clipboard().text()
table_data = _parseTextAsTable(clipboard_text)
protected_cells = 0
out_of_range_cells = 0
# paste table data into cells, using selected cell as origin
for row in range(len(table_data)):
for col in range(len(table_data[row])):
if selected_row + row >= self.table.rowCount() or\
selected_col + col >= self.table.columnCount():
out_of_range_cells += 1
continue
item = self.table.item(selected_row + row,
selected_col + col)
# ignore empty strings
if table_data[row][col] != "":
if not item.flags() & qt.Qt.ItemIsEditable:
protected_cells += 1
continue
item.setText(table_data[row][col])
if protected_cells or out_of_range_cells:
msgBox = qt.QMessageBox(parent=self.table)
msg = "Some data could not be inserted, "
msg += "due to out-of-range or write-protected cells."
msgBox.setText(msg)
msgBox.exec_()
return False
return True
我想測試單元是否在其粘貼數據前可編輯的,爲此我使用QTableWidget.item(row, col)
獲得該項目,然後我會檢查該項目的標誌。
我的問題是.item
方法爲空單元返回None
,所以我無法檢查空單元的標誌。我的代碼目前僅在粘貼區域中沒有空單元時起作用。
的錯誤是在線路46(None
返回)和50(AttributeError: 'NoneType' object has no attribute 'flags'
):
item = self.table.item(selected_row + row,
selected_col + col)
# ignore empty strings
if table_data[row][col] != "":
if not item.flags() & qt.Qt.ItemIsEditable:
...
有沒有發現如果電池是可編輯的,不是檢查項目的標誌等的另一種方式?
它返回'None'不是因爲單元格爲空,而是因爲單元格不存在 – Chr
我不知道我理解這一點。我可以直觀地看到桌面小部件中的空單元格。你的意思是說,只要在單元格中沒有設置數據或標誌,它不會作爲一個項目存在? – PiRK
如果答案是肯定的,是否可以編輯的單元格保證的不存在性?或者,我的小部件的用戶是否可以在不創建項目的情況下對其進行寫保護? – PiRK