mirror of
https://github.com/discourse/discourse.git
synced 2025-02-25 22:19:40 +08:00
data:image/s3,"s3://crabby-images/94cbb/94cbb57df0d84bd1cbee25a6ba37820bb33959e9" alt="David Taylor"
`discourse-common` was created in the past to share logic between the 'wizard' app and the main 'discourse' app. Since then, the wizard has been consolidated into the main app, so the separation of `discourse-common` is no longer useful. This commit moves `discourse-common/(lib|utils)/*` into `discourse/lib/*`, adds shims for the imports, and updates existing uses in core.
101 lines
2.2 KiB
JavaScript
101 lines
2.2 KiB
JavaScript
import { tracked } from "@glimmer/tracking";
|
|
import { Promise } from "rsvp";
|
|
import { ajax } from "discourse/lib/ajax";
|
|
import { bind } from "discourse/lib/decorators";
|
|
|
|
/**
|
|
* Handles a paginated API response.
|
|
*/
|
|
export default class Collection {
|
|
@tracked items = [];
|
|
@tracked meta = {};
|
|
@tracked loading = false;
|
|
@tracked fetchedOnce = false;
|
|
|
|
constructor(resourceURL, handler, params = {}) {
|
|
this._resourceURL = resourceURL;
|
|
this._handler = handler;
|
|
this._params = params;
|
|
this._fetchedAll = false;
|
|
}
|
|
|
|
get loadMoreURL() {
|
|
return this.meta?.load_more_url;
|
|
}
|
|
|
|
get totalRows() {
|
|
return this.meta?.total_rows;
|
|
}
|
|
|
|
get length() {
|
|
return this.items?.length;
|
|
}
|
|
|
|
// https://developer.mozilla.org/en-US/docs/Web/JavaScript/Reference/Iteration_protocols
|
|
[Symbol.iterator]() {
|
|
let index = 0;
|
|
|
|
return {
|
|
next: () => {
|
|
if (index < this.length) {
|
|
return { value: this.items[index++], done: false };
|
|
} else {
|
|
return { done: true };
|
|
}
|
|
},
|
|
};
|
|
}
|
|
|
|
/**
|
|
* Loads first batch of results
|
|
* @returns {Promise}
|
|
*/
|
|
@bind
|
|
load(params = {}) {
|
|
if (
|
|
this.loading ||
|
|
this._fetchedAll ||
|
|
(this.totalRows && this.items.length >= this.totalRows)
|
|
) {
|
|
return Promise.resolve();
|
|
}
|
|
|
|
this.loading = true;
|
|
|
|
let endpoint;
|
|
if (this.loadMoreURL) {
|
|
endpoint = this.loadMoreURL;
|
|
} else {
|
|
const filteredQueryParams = Object.entries(params).filter(
|
|
([, v]) => v !== undefined
|
|
);
|
|
|
|
const queryString = new URLSearchParams(filteredQueryParams).toString();
|
|
endpoint = this._resourceURL + (queryString ? `?${queryString}` : "");
|
|
}
|
|
|
|
return this.#fetch(endpoint)
|
|
.then((result) => {
|
|
const items = this._handler(result);
|
|
|
|
if (items.length) {
|
|
this.items = (this.items ?? []).concat(items);
|
|
}
|
|
|
|
if (!items.length || items.length < params.limit) {
|
|
this._fetchedAll = true;
|
|
}
|
|
|
|
this.meta = result.meta;
|
|
this.fetchedOnce = true;
|
|
})
|
|
.finally(() => {
|
|
this.loading = false;
|
|
});
|
|
}
|
|
|
|
#fetch(url) {
|
|
return ajax(url, { type: "GET", data: this._params });
|
|
}
|
|
}
|