我有一个名为 TransactionWrapper 的类,用于在我的应用程序中为 TableView 填充 ObservableList。这个包装器有一个属性(枚举),表明它是取款还是存款。我需要去渲染/格式化金额单元格(根据交易的性质以红色或绿色显示),但我没有找到任何可以帮助我进行这场战斗的东西。
基本上我想要做的是查看行并说如果类型是提款,则将文本颜色为红色,如果是存款颜色则为绿色......我希望这里有人可以帮助我解决这个问题。正如我在其他地方发现的那样,我将在我尝试使用 setCellFactory 的下方发布。这种方法允许我格式化单元格及其显示方式,但问题出在 updateItem 函数内部,我可以获取我的事务类型的值。
amountCol.setCellFactory(new Callback<TableColumn<TransactionWrapper, String>, TableCell<TransactionWrapper, String>>()
{
@Override
public TableCell<TransactionWrapper, String> call(
TableColumn<TransactionWrapper, String> param)
{
return new TableCell<TransactionWrapper, String>()
{
@Override
protected void updateItem(String item, boolean empty)
{
if (!empty)
{
// should be something like (transaction.getType().equals(TransactionTypes.DEPOSIT) ? true : false;)
boolean isDeposit = true;
setText(item);
if(isDeposit) // should be if type is deposit
{
setTextFill(Color.GREEN);
}
else
{
setTextFill(Color.RED);
}
}
}
};
}
});
这是我设置专栏的方式:
amountCol.setCellValueFactory(cellData -> cellData.getValue().getAmountString());
那是运行一个名为 TransactionWrapper 的对象,其中包含以下内容:
private final StringProperty transactionTypeString;
private final StringProperty dateString;
private final StringProperty amountString;
private final StringProperty payeeString;
private final StringProperty categoryString;
private final StringProperty notesString;
private Transaction transaction;
对此的任何想法将不胜感激。 :D
谢谢,
乔恩
最佳答案
弄清楚了!感谢詹姆斯的想法,但我的方式有点不同。这是将来阅读这篇文章的任何人的代码:
amountCol.setCellFactory(new Callback<TableColumn<TransactionWrapper, String>,
TableCell<TransactionWrapper, String>>()
{
@Override
public TableCell<TransactionWrapper, String> call(
TableColumn<TransactionWrapper, String> param)
{
return new TableCell<TransactionWrapper, String>()
{
@Override
protected void updateItem(String item, boolean empty)
{
if (!empty)
{
int currentIndex = indexProperty()
.getValue() < 0 ? 0
: indexProperty().getValue();
TransactionTypes type = param
.getTableView().getItems()
.get(currentIndex).getTransaction()
.getTransactionType();
if (type.equals(TransactionTypes.DEPOSIT))
{
setTextFill(Color.GREEN);
setText("+ " + item);
} else
{
setTextFill(Color.RED);
setText("- " + item);
}
}
}
};
}
});
param.getTableView().getItems().get(currentIndex) 是关键.. 不得不在那里钻进父级,但它完成了工作。最大的挑战是找到索引。当我发现 indexProperty() 函数存在时,我觉得有点傻……哈哈。没想到查看可用的类级别功能。快乐编码!
关于JavaFX TableView : format one cell based on the value of another in the row,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/27281370/