I'm working on an Angular app. I intend to build a...
Created on: March 28, 2025
Created on: March 28, 2025
I'm working on an Angular app. I intend to build an autocomplete component which will most like be used in cascade manner, i.e. multiple autocompletes, selection change in first loads new options in the second and so on. Basically the autocomplete will have two main inputs, 'items' and 'selectedItem'. I have some questions related to UX.
When the input 'items' list changes should the selectedItem reset?
What is the best way of resetting the sellected item? Should the autocomplete component handle this automatically when the input 'items' list changes or should the parent be in charge of changing the autocomplete's 'selectedItem' to undefined?
Basically I'm trying to plan the implementation of the autocomplete component so I don't needlessly over complicate it
When dealing with a cascaded autocomplete flow, it’s typically clearer and more maintainable to let the parent component “drive” the selections, rather than letting the autocomplete component itself secretly discard or reset values. In other words:
Don’t automatically reset within the child: If your items
list changes and the previously selected item no longer makes sense, the parent component should detect that state change and explicitly set selectedItem
to undefined
(or whatever “no selection” value you’re using). That way the logic is visible in your parent, which “knows” the higher-level context about what changed and why.
Why parent-driven resets are better:
selectedItem
simplifies that.Implementation tips:
ts@Input() items: T[] = []; @Input() selectedItem?: T; @Output() selectedItemChange = new EventEmitter<T | undefined>();
selectedItemChange
. The parent listens and updates its local state. On the parent side, if it detects that items
changed in a way that invalidates selectedItem
, it can just do selectedItem = undefined
.selectedItem
is not in items
, discard it,” but only do that if it’s purely a defensive measure. The main reset should come from the parent.Overall, letting the parent component handle resetting the selection in response to item list changes keeps the autocomplete’s contract simple. The autocomplete’s job is to render a list of suggestions, highlight the current selectedItem
, and emit events when the user changes their selection. The parent is in the best position to coordinate which child’s selection gets reset and when.