我正在开发一个应该将内容从JTable
保存到CSV文件的工具,我有这个“添加行”按钮来添加新行,但我需要最后一行是填充每个单元格,然后允许添加新行。
这是我的代码,但这不会创建新行,也不会在控制台上抛出任何错误。
private void btnAddRowActionPerformed(java.awt.event.ActionEvent evt) {
for(int i=0;i<=jTable1.getColumnCount();i++){
if(jTable1.isRowSelected(jTable1.getRowCount())){
do{
model.insertRow(jTable1.getRowCount(), new Object[]{});
} while(jTable1.getValueAt(jTable1.getRowCount(), i).equals(""));
}
}
}
答案 0 :(得分:3)
好的,您似乎要说的是,在最后一行完全完成之前,不应允许用户添加新行...
现有循环没有意义,基本上,对于每一列,您要检查是否选择了最后一行,并为每列空白(""
)插入一个新行。 ?
请记住,通常Java是零索引的,这意味着,最后一行实际上是jTable1.getRowCount() - 1
,所以,你的if isRowSelected
不太可能是真的,这实际上是一件好事,否则你会会有一个真正的混乱...
假设我正确理解你的问题(因为它有点模糊),你可以尝试更像这样的东西......
boolean rowCompleted = true;
int lastRow = jTable1.getRowCount() - 1;
if (jTable1.isRowSelected(lastRow)) {
for (int col = 0; col < jTable1.getColumnCount(); col++) {
Object value = jTable.getValueAt(lastRow, col);
if (value == null || value.toString().trim().isEmpty()) {
rowCompleted = false;
break;
}
}
}
if (rowCompleted) {
// Insert new row...
} else {
// Show error message
}
答案 1 :(得分:3)
也许使用TableModelListener
。
每次在表的最后一行更新单元格时,都要检查以确保所有列都有数据。如果所有列都有数据,则启用“添加行”按钮,否则禁用该按钮。
答案 2 :(得分:1)
我正在检查这篇文章,我使用了MadProgrammer发布的代码,但我做了一些修改,我根据你的需要正常工作。如果你想,你可以问我这个项目,我很乐意为你提供
private void btnAddRowActionPerformed(java.awt.event.ActionEvent evt) {
boolean rowCompleted;
int lastRow = jTable1.getRowCount()-1;
if(jTable1.isRowSelected(lastRow)){
for(int col=0;col<jTable1.getColumnCount();col++){
Object value = jTable1.getValueAt(lastRow, col);
if(value == null || value.toString().trim().isEmpty()){
rowCompleted=false;
}
else{
rowCompleted=true;
}
if(rowCompleted==true){
model.insertRow(jTable1.getRowCount(), new Object[]{});
}
else{
JOptionPane.showMessageDialog(null, "Something went worng. Try this:\n - Please select a row before adding new row.\n - Please verify there are no empty cells","Processing table's data",1);
}
break;
}
}
else{
JOptionPane.showMessageDialog(null, "Something went wrong. Verify this:\n - There is not any row selected.\n - You can only create new rows after last row","Processing table's data",1);
}
}
我希望这可以帮助你,但首先要感谢MadProgrammer:D