1
0
mirror of https://github.com/bitwarden/browser synced 2025-12-17 08:43:33 +00:00
Files
browser/libs/components/src/chip-select/chip-select.component.ts
Nick Krantz 748eb00223 [PM-6826] Vault filter refresh (#9365)
* add initial type filter

- use `bit-select` while the chip component is being developed

* get cipherTypes$ from service

- integrate with user settings

* initial add of folder selection

* initial add of vault selection

* initial add of collections filter

* update `VaultPopupListFilterService` to `VaultPopupListFiltersService`

* integrate hasFilterApplied$

* intermediate commit of integration to the filters component

* do not return the tree when the value is null

* return null when the updated option is null

* update vault-popup-list to conform to the chip select structure

* integration of bit-chip-select

* move "no folder" option to the end of the list

* show danger icon for deactivated organizations

* show deactivated warning when the filtered org is disabled

* update documentation

* use pascal case for constants

* store filter values as full objects rather than just id

- This allows secondary logic to be applied when filters are selected

* move filter form into service to be the source of truth

* fix tests after adding "jest-preset-angular/setup-jest"

* remove logic to have dynamic cipher type filters

* use ProductType enum

* invert conditional for less nesting

* prefer `decryptedCollections$` over getAllDecrypted

* update comments

* use a `filterFunction$` observable rather than having to pass filters back to the service

* fix children testing

* remove check for no folder

* reset filter form when filter component is destroyed

* add takeUntilDestroyed for organization valueChanges

* allow takeUntilDestroyed to use internal destroy ref

- The associated unit tests needed to be configured with TestBed rather than just `new Service()` for this to work

* use controls object for type safety
2024-06-03 09:20:14 -05:00

198 lines
5.9 KiB
TypeScript

import { Component, HostListener, Input, booleanAttribute, signal } from "@angular/core";
import { ControlValueAccessor, NG_VALUE_ACCESSOR } from "@angular/forms";
import { ButtonModule } from "../button";
import { IconButtonModule } from "../icon-button";
import { MenuModule } from "../menu";
import { Option } from "../select/option";
import { SharedModule } from "../shared";
import { TypographyModule } from "../typography";
/** An option that will be showed in the overlay menu of `ChipSelectComponent` */
export type ChipSelectOption<T> = Option<T> & {
/** The options that will be nested under this option */
children?: ChipSelectOption<T>[];
};
@Component({
selector: "bit-chip-select",
templateUrl: "chip-select.component.html",
standalone: true,
imports: [SharedModule, ButtonModule, IconButtonModule, MenuModule, TypographyModule],
providers: [
{
provide: NG_VALUE_ACCESSOR,
useExisting: ChipSelectComponent,
multi: true,
},
],
})
export class ChipSelectComponent<T = unknown> implements ControlValueAccessor {
/** Text to show when there is no selected option */
@Input({ required: true }) placeholderText: string;
/** Icon to show when there is no selected option or the selected option does not have an icon */
@Input() placeholderIcon: string;
private _options: ChipSelectOption<T>[];
/** The select options to render */
@Input({ required: true })
get options(): ChipSelectOption<T>[] {
return this._options;
}
set options(value: ChipSelectOption<T>[]) {
this._options = value;
this.initializeRootTree(value);
}
/** Disables the entire chip */
@Input({ transform: booleanAttribute }) disabled = false;
/**
* We have `:focus-within` and `:focus-visible` but no `:focus-visible-within`
*/
protected focusVisibleWithin = signal(false);
@HostListener("focusin", ["$event.target"])
onFocusIn(target: HTMLElement) {
this.focusVisibleWithin.set(target.matches(".fvw-target:focus-visible"));
}
@HostListener("focusout")
onFocusOut() {
this.focusVisibleWithin.set(false);
}
/** Tree constructed from `this.options` */
private rootTree: ChipSelectOption<T>;
/** Options that are currently displayed in the menu */
protected renderedOptions: ChipSelectOption<T>;
/** The option that is currently selected by the user */
protected selectedOption: ChipSelectOption<T>;
/** The label to show in the chip button */
protected get label(): string {
return this.selectedOption?.label || this.placeholderText;
}
/** The icon to show in the chip button */
protected get icon(): string {
return this.selectedOption?.icon || this.placeholderIcon;
}
protected selectOption(option: ChipSelectOption<T>, _event: MouseEvent) {
this.selectedOption = option;
this.onChange(option);
}
protected viewOption(option: ChipSelectOption<T>, event: MouseEvent) {
this.renderedOptions = option;
/** We don't want the menu to close */
event.preventDefault();
event.stopImmediatePropagation();
}
/** Click handler for the X button */
protected clear() {
this.renderedOptions = this.rootTree;
this.selectedOption = null;
this.onChange(null);
}
/**
* Find a `ChipSelectOption` by its value
* @param tree the root tree to search
* @param value the option value to look for
* @returns the `ChipSelectOption` associated with the provided value, or null if not found
*/
private findOption(tree: ChipSelectOption<T>, value: T): ChipSelectOption<T> | null {
let result = null;
if (tree.value !== null && tree.value === value) {
return tree;
}
if (Array.isArray(tree.children) && tree.children.length > 0) {
tree.children.some((node) => {
result = this.findOption(node, value);
return result;
});
}
return result;
}
/** Maps child options to their parent, to enable navigating up the tree */
private childParentMap = new Map<ChipSelectOption<T>, ChipSelectOption<T>>();
/** For each descendant in the provided `tree`, update `_parent` to be a refrence to the parent node. This allows us to navigate back in the menu. */
private markParents(tree: ChipSelectOption<T>) {
tree.children?.forEach((child) => {
this.childParentMap.set(child, tree);
this.markParents(child);
});
}
protected getParent(option: ChipSelectOption<T>): ChipSelectOption<T> | null {
return this.childParentMap.get(option);
}
private initializeRootTree(options: ChipSelectOption<T>[]) {
/** Since the component is just initialized with an array of options, we need to construct the root tree. */
const root: ChipSelectOption<T> = {
children: options,
value: null,
};
this.markParents(root);
this.rootTree = root;
this.renderedOptions = this.rootTree;
}
/** Control Value Accessor */
private notifyOnChange?: (value: T) => void;
private notifyOnTouched?: () => void;
/** Implemented as part of NG_VALUE_ACCESSOR */
writeValue(obj: T): void {
this.selectedOption = this.findOption(this.rootTree, obj);
/** Update the rendered options for next time the menu is opened */
this.renderedOptions = this.selectedOption
? this.getParent(this.selectedOption)
: this.rootTree;
}
/** Implemented as part of NG_VALUE_ACCESSOR */
registerOnChange(fn: (value: T) => void): void {
this.notifyOnChange = fn;
}
/** Implemented as part of NG_VALUE_ACCESSOR */
registerOnTouched(fn: any): void {
this.notifyOnTouched = fn;
}
/** Implemented as part of NG_VALUE_ACCESSOR */
setDisabledState(isDisabled: boolean): void {
this.disabled = isDisabled;
}
/** Implemented as part of NG_VALUE_ACCESSOR */
protected onChange(option: Option<T> | null) {
if (!this.notifyOnChange) {
return;
}
this.notifyOnChange(option?.value ?? null);
}
/** Implemented as part of NG_VALUE_ACCESSOR */
protected onBlur() {
if (!this.notifyOnTouched) {
return;
}
this.notifyOnTouched();
}
}