import {Component, html} from 'htm/preact';
import debounce from '../utilities/debounce.js';
import searchReleases, {SearchResult} from '../utilities/search.js';
type Props = Record;
type State = {
searchQueryDebounced: SearchBar['searchQuery'];
searchResults: SearchResult[];
searchState: 'searching' | 'waiting';
searchValue: string;
};
export default class SearchBar extends Component {
constructor(props: Props) {
super(props);
this.state = {
searchQueryDebounced: debounce(this.searchQuery, 500),
searchResults: [],
searchState: 'waiting',
searchValue: '',
};
}
searchQuery = async (): Promise => {
if (this.state.searchValue.length === 0) {
this.setState({searchResults: [], searchState: 'waiting'});
return;
}
this.setState({
searchResults: await searchReleases(this.state.searchValue),
searchState: 'waiting',
});
};
onInput = async (event: InputEvent): Promise => {
const input = event.target as HTMLInputElement;
this.setState({searchState: 'searching', searchValue: input.value});
void this.state.searchQueryDebounced();
};
render() {
const results: Array> = [];
for (const result of this.state.searchResults) {
let disambiguation;
if (result.disambiguation !== undefined) {
disambiguation = html`
${' '}
(${result.disambiguation})
`;
}
results.push(
html`
${result.artist} - ${result.title}
${disambiguation}
`,
);
}
const isLoading = this.state.searchState === 'searching';
// Hide results when the search input is empty.
const noSearchValue = this.state.searchValue.length === 0;
if (!noSearchValue && !isLoading && results.length === 0) {
// If it isn't empty but there are no results and we're also not loading
// new results, then show none were found.
results.push(html`No releases found`);
} else if (isLoading) {
results.unshift(
html`Searching for releases…`,
);
}
return html`
`;
}
}