我正在Javafx中实现AutoComplete逻辑。 TextField
供用户输入,每次更新时,都会触发监听器。然后是listView
的下拉菜单将显示匹配的结果。
问题是,当TextField
侦听器正在进行时,如何在textProperty
中获得更新的插入符号位置?
我当前正在使用textfield.getCaretPosition()
,但它只会返回上一个职位。
任何输入将不胜感激!
commandTextField.textProperty().addListener(new ChangeListener<String>() {
@Override
public void changed(ObservableValue<? extends String> observable,
String oldText, String newText) {
// Following line will return previous caret position
commandTextField.getCaretPosition();
...//autocomplete logic omitted
}
});
编辑: 我需要获得插入符号的原因是,我需要知道输入更改的位置并相应地显示建议。
textField.caretPositionProperty().addListener((ChangeListener<Number>) (observable, oldValue, newValue) -> {
caretPosition = newValue.intValue();
});
textField.textProperty().addListener((ChangeListener<String>) (observable, oldValue, newValue) -> {
...//autocomplete Logic
}
在上述情况下,将首先调用textProperty
侦听器,然后再调用caretPositionProperty
,因此在我的情况下无法获取更新的插入符位置。
答案 0 :(得分:1)
这不是该API的预期用途,但是您可以使用以TextFormatter
作为参数构造的UnaryOperator<TextFormatter.Change>
。通常,这用于防止/修改不需要的文本更改,但是在这种情况下,我们将仅使用Change
对象来获取所需的数据。
下面的示例“建议”可能性中的每一个都用一些字符串替换所选部分:
@Override
public void start(Stage primaryStage) throws Exception {
ListView<String> listView = new ListView<>();
String[] replacements = { "foo", "bar", "42", "zap" };
listView.getItems().setAll(replacements);
TextField textField = new TextField();
TextFormatter<?> formatter = new TextFormatter<>((UnaryOperator<TextFormatter.Change>) change -> {
int a = change.getAnchor();
int b = change.getCaretPosition();
String newText = change.getControlNewText();
String prefix = newText.substring(0, Math.min(a, b));
String suffix = newText.substring(Math.max(a, b));
listView.getItems().clear();
for (String mid : replacements) {
listView.getItems().add(prefix + mid + suffix);
}
// do not change anything about the modification
return change;
});
textField.setTextFormatter(formatter);
Scene scene = new Scene(new VBox(listView, textField));
primaryStage.setScene(scene);
primaryStage.show();
}
还有更多可用的属性,包括更改之前的文本,基音和锚点位置,请参见the javadoc。
答案 1 :(得分:0)
将侦听器添加到caretPositionProperty。
import javafx.application.Application;
import javafx.beans.value.ChangeListener;
import javafx.scene.Scene;
import javafx.scene.control.TextField;
import javafx.stage.Stage;
public class TextFieldCaretApp extends Application {
public static void main(String[] args) {
launch(args);
}
@Override
public void start(Stage stage) throws Exception {
TextField textField = new TextField();
Scene scene = new Scene(textField);
stage.setScene(scene);
stage.show();
textField.caretPositionProperty().addListener((ChangeListener<Number>) (observable, oldValue, newValue) -> {
System.out.println("caretPosition=" + newValue);
});
textField.textProperty().addListener((ChangeListener<String>) (observable, oldValue, newValue) -> {
System.out.println("text=" + newValue);
});
}
}