diff --git a/src/components/molecules/CommonCartridgeImportModal.unit.ts b/src/components/molecules/CommonCartridgeImportModal.unit.ts new file mode 100644 index 0000000000..6071119568 --- /dev/null +++ b/src/components/molecules/CommonCartridgeImportModal.unit.ts @@ -0,0 +1,174 @@ +import RoomsModule from "@/store/rooms"; +import CommonCartridgeImportModal from "./CommonCartridgeImportModal.vue"; +import { mount } from "@vue/test-utils"; +import LoadingStateModule from "@/store/loading-state"; +import NotifierModule from "@/store/notifier"; +import { + COMMON_CARTRIDGE_IMPORT_MODULE_KEY, + LOADING_STATE_MODULE_KEY, + NOTIFIER_MODULE_KEY, + ROOMS_MODULE_KEY, +} from "@/utils/inject"; +import { createModuleMocks } from "@/utils/mock-store-module"; +import { + createTestingI18n, + createTestingVuetify, +} from "@@/tests/test-utils/setup"; +import CommonCartridgeImportModule from "@/store/common-cartridge-import"; + +describe("@/components/molecules/CommonCartridgeImportModal", () => { + const setupWrapper = (getters: Partial) => { + document.body.setAttribute("data-app", "true"); + + const notifierModuleMock = createModuleMocks(NotifierModule); + const roomsModuleMock = createModuleMocks(RoomsModule, { + getAllElements: [], + }); + const commonCartridgeImportModule = createModuleMocks( + CommonCartridgeImportModule, + getters + ); + + const wrapper = mount(CommonCartridgeImportModal, { + global: { + plugins: [createTestingVuetify(), createTestingI18n()], + provide: { + [LOADING_STATE_MODULE_KEY.valueOf()]: + createModuleMocks(LoadingStateModule), + [NOTIFIER_MODULE_KEY.valueOf()]: notifierModuleMock, + [ROOMS_MODULE_KEY.valueOf()]: roomsModuleMock, + [COMMON_CARTRIDGE_IMPORT_MODULE_KEY.valueOf()]: + commonCartridgeImportModule, + }, + }, + }); + + return { + wrapper, + roomsModuleMock, + notifierModuleMock, + commonCartridgeImportModule, + }; + }; + + describe("when dialog is open", () => { + const setup = () => setupWrapper({ isOpen: true }); + + it("should contain disabled confirm button", async () => { + const { wrapper } = setup(); + + const confirmBtn = wrapper.findComponent( + "[data-testId='dialog-confirm-btn']" + ) as any; + + expect(confirmBtn.exists()).toBe(true); + expect(confirmBtn.isDisabled()).toBe(true); + }); + + it("should contain enabled cancel button", async () => { + const { wrapper } = setup(); + + const cancelBtn = wrapper.findComponent( + "[data-testid='dialog-cancel-btn']" + ) as any; + + expect(cancelBtn.exists()).toBe(true); + expect(cancelBtn.isDisabled()).toBe(false); + }); + + it("should contain file input", () => { + const { wrapper } = setup(); + + const fileInput = wrapper.findComponent( + "[data-testid='dialog-file-input']" + ) as any; + + expect(fileInput.exists()).toBe(true); + }); + }); + + describe("when a file is selected", () => { + const setup = () => + setupWrapper({ + isOpen: true, + file: new File([], "file"), + }); + + it("should enable confirm button", () => { + const { wrapper } = setup(); + + const confirmBtn = wrapper.findComponent( + "[data-testId='dialog-confirm-btn']" + ) as any; + + expect(confirmBtn.isDisabled()).toBe(false); + }); + }); + + describe("when file upload is successful", () => { + const setup = () => + setupWrapper({ + file: new File([], "file"), + isOpen: true, + isSuccess: true, + }); + + it("should show success message", async () => { + const { wrapper, roomsModuleMock, notifierModuleMock } = setup(); + const confirmBtn = wrapper.findComponent( + "[data-testId='dialog-confirm-btn']" + ); + + await confirmBtn.trigger("click"); + + expect(roomsModuleMock.fetch).toHaveBeenCalledTimes(1); + expect(roomsModuleMock.fetchAllElements).toHaveBeenCalledTimes(1); + expect(notifierModuleMock.show).toHaveBeenCalledWith({ + status: "success", + text: expect.any(String), + autoClose: true, + }); + }); + }); + + describe("when file upload is unsuccessful", () => { + const setup = () => + setupWrapper({ + file: new File([], "file"), + isOpen: true, + isSuccess: false, + }); + + it("should show error message", async () => { + const { wrapper, notifierModuleMock, roomsModuleMock } = setup(); + const confirmBtn = wrapper.findComponent( + "[data-testId='dialog-confirm-btn']" + ); + + await confirmBtn.trigger("click"); + + expect(roomsModuleMock.fetch).not.toHaveBeenCalled(); + expect(roomsModuleMock.fetchAllElements).not.toHaveBeenCalled(); + expect(notifierModuleMock.show).toHaveBeenCalledWith({ + status: "error", + text: expect.any(String), + autoClose: true, + }); + }); + }); + + describe("when dialog is closed", () => { + const setup = () => setupWrapper({ isOpen: true }); + + it("should reset the state", () => { + const { wrapper, commonCartridgeImportModule } = setup(); + const cancelBtn = wrapper.findComponent( + "[data-testid='dialog-cancel-btn']" + ); + + cancelBtn.trigger("click"); + + expect(commonCartridgeImportModule.setIsOpen).toHaveBeenCalledWith(false); + }); + }); +}); diff --git a/src/components/molecules/CommonCartridgeImportModal.vue b/src/components/molecules/CommonCartridgeImportModal.vue new file mode 100644 index 0000000000..5d7b9794b9 --- /dev/null +++ b/src/components/molecules/CommonCartridgeImportModal.vue @@ -0,0 +1,137 @@ + + + + + diff --git a/src/components/templates/DefaultWireframe.vue b/src/components/templates/DefaultWireframe.vue index 12cd1a151c..60c3f74e3d 100644 --- a/src/components/templates/DefaultWireframe.vue +++ b/src/components/templates/DefaultWireframe.vue @@ -32,7 +32,7 @@ :icon="action.icon" :href="action.href" :to="action.to" - @click="action.customEvent" + @click="$emit('onFabItemClick', action.customEvent)" >{{ action.label }} @@ -100,6 +100,9 @@ export default defineComponent({ default: null, }, }, + emits: { + onFabItemClick: (event: string) => (event ? true : false), + }, computed: { showBorder(): boolean { return !!(this.headline || this.$slots.header); diff --git a/src/components/templates/RoomWrapper.unit.ts b/src/components/templates/RoomWrapper.unit.ts index d00e3250fa..bd473352fc 100644 --- a/src/components/templates/RoomWrapper.unit.ts +++ b/src/components/templates/RoomWrapper.unit.ts @@ -1,16 +1,26 @@ import { authModule, roomsModule } from "@/store"; import { ComponentMountingOptions, mount } from "@vue/test-utils"; import RoomWrapper from "./RoomWrapper.vue"; +import { createModuleMocks } from "@/utils/mock-store-module"; import setupStores from "@@/tests/test-utils/setupStores"; import RoomsModule from "@/store/rooms"; import AuthModule from "@/store/auth"; import EnvConfigModule from "@/store/env-config"; +import { + COMMON_CARTRIDGE_IMPORT_MODULE_KEY, + LOADING_STATE_MODULE_KEY, + NOTIFIER_MODULE_KEY, + ROOMS_MODULE_KEY, +} from "@/utils/inject"; +import LoadingStateModule from "@/store/loading-state"; +import NotifierModule from "@/store/notifier"; import { createTestingI18n, createTestingVuetify, } from "@@/tests/test-utils/setup"; import { SpeedDialMenu } from "@ui-speed-dial-menu"; import { meResponseFactory } from "@@/tests/test-utils"; +import CommonCartridgeImportModule from "@/store/common-cartridge-import"; const getWrapper = ( options: ComponentMountingOptions = { @@ -27,6 +37,15 @@ const getWrapper = ( }, }, ...options, + provide: { + [LOADING_STATE_MODULE_KEY.valueOf()]: + createModuleMocks(LoadingStateModule), + [NOTIFIER_MODULE_KEY.valueOf()]: createModuleMocks(NotifierModule), + [ROOMS_MODULE_KEY.valueOf()]: createModuleMocks(RoomsModule), + [COMMON_CARTRIDGE_IMPORT_MODULE_KEY.valueOf()]: createModuleMocks( + CommonCartridgeImportModule + ), + }, }); }; diff --git a/src/components/templates/RoomWrapper.vue b/src/components/templates/RoomWrapper.vue index bedabd1e98..1bcc2262bc 100644 --- a/src/components/templates/RoomWrapper.vue +++ b/src/components/templates/RoomWrapper.vue @@ -4,6 +4,7 @@ headline="" :full-width="true" :fab-items="fabItems" + @onFabItemClick="fabItemClickHandler" > diff --git a/src/locales/de.ts b/src/locales/de.ts index 31cddd497b..7ed2f63fb1 100644 --- a/src/locales/de.ts +++ b/src/locales/de.ts @@ -1389,6 +1389,7 @@ export default { "pages.rooms.fab.add.board": "Neues Spalten-Board", "pages.rooms.fab.add.task": "Neue Aufgabe", "pages.rooms.fab.ariaLabel": "Neuen Kurs erstellen", + "pages.rooms.fab.import.course": "Kurs importieren", "pages.rooms.groupName": "Kurse", "pages.rooms.headerSection.archived": "Archiv", "pages.rooms.headerSection.menu.ariaLabel": "Kursmenü", @@ -1409,6 +1410,14 @@ export default { "pages.rooms.importCourse.step_3.text": "Kursname", "pages.rooms.importCourse.step_3": "Der importierte Kurs kann im nächsten Schritt umbenannt werden.", + "pages.rooms.ccImportCourse.title": "Kurs importieren", + "pages.rooms.ccImportCourse.confirm": "Importieren", + "pages.rooms.ccImportCourse.fileInputLabel": "Datei auswählen", + "pages.rooms.ccImportCourse.loading": "Import läuft...", + "pages.rooms.ccImportCourse.success": + "Kurs {name} wurde erfolgreich importiert.", + "pages.rooms.ccImportCourse.error": + "Beim importieren des Kurses ist ein Fehler aufgetreten.", "pages.rooms.index.courses.active": "Aktuelle Kurse", "pages.rooms.index.courses.all": "Alle Kurse", "pages.rooms.index.courses.arrangeCourses": "Kurse umordnen", diff --git a/src/locales/en.ts b/src/locales/en.ts index 1892378170..0cccd67fd8 100644 --- a/src/locales/en.ts +++ b/src/locales/en.ts @@ -1361,6 +1361,7 @@ export default { "pages.rooms.fab.add.board": "New column board", "pages.rooms.fab.add.task": "New task", "pages.rooms.fab.ariaLabel": "Create new course", + "pages.rooms.fab.import.course": "Import course", "pages.rooms.groupName": "Courses", "pages.rooms.headerSection.archived": "Archive", "pages.rooms.headerSection.menu.ariaLabel": "Course menu", @@ -1381,6 +1382,14 @@ export default { "pages.rooms.importCourse.step_3.text": "Course name", "pages.rooms.importCourse.step_3": "The imported course can be renamed in the next step.", + "pages.rooms.ccImportCourse.title": "Import course", + "pages.rooms.ccImportCourse.confirm": "Import", + "pages.rooms.ccImportCourse.fileInputLabel": "Select file", + "pages.rooms.ccImportCourse.loading": "Import is running...", + "pages.rooms.ccImportCourse.success": + "Course {name} was successfully imported.", + "pages.rooms.ccImportCourse.error": + "An error occurred while importing the course.", "pages.rooms.index.courses.active": "Current courses", "pages.rooms.index.courses.all": "All courses", "pages.rooms.index.courses.arrangeCourses": "Arrange courses", diff --git a/src/locales/es.ts b/src/locales/es.ts index 5f4d30aace..43dd39cfe6 100644 --- a/src/locales/es.ts +++ b/src/locales/es.ts @@ -1402,6 +1402,7 @@ export default { "pages.rooms.fab.add.board": "Nuevo tablero de columna", "pages.rooms.fab.add.task": "Nuevo tarea", "pages.rooms.fab.ariaLabel": "Crear nuevo curso", + "pages.rooms.fab.import.course": "Importar curso", "pages.rooms.groupName": "Cursos", "pages.rooms.headerSection.archived": "Archivo", "pages.rooms.headerSection.menu.ariaLabel": "Menú del curso", @@ -1422,6 +1423,14 @@ export default { "pages.rooms.importCourse.step_3.text": "Nombre del curso", "pages.rooms.importCourse.step_3": "El curso importado se puede renombrar en el siguiente paso.", + "pages.rooms.ccImportCourse.title": "Importar curso", + "pages.rooms.ccImportCourse.confirm": "Importar", + "pages.rooms.ccImportCourse.fileInputLabel": "Seleccionar archivo", + "pages.rooms.ccImportCourse.loading": "Importación en curso...", + "pages.rooms.ccImportCourse.success": + "El curso {name} se ha importado correctamente.", + "pages.rooms.ccImportCourse.error": + "Se ha producido un error al importar el curso.", "pages.rooms.index.courses.active": "Cursos actuales", "pages.rooms.index.courses.all": "Todos los cursos", "pages.rooms.index.courses.arrangeCourses": "Organizar cursos", diff --git a/src/locales/uk.ts b/src/locales/uk.ts index 8e3dc2d2ac..c2e0529ea1 100644 --- a/src/locales/uk.ts +++ b/src/locales/uk.ts @@ -1383,6 +1383,7 @@ export default { "pages.rooms.fab.add.board": "Нова дошка", "pages.rooms.fab.add.task": "Створити завдання", "pages.rooms.fab.ariaLabel": "Створити новий курс", + "pages.rooms.fab.import.course": "Імпортувати курс", "pages.rooms.groupName": "Курси", "pages.rooms.headerSection.archived": "Архів", "pages.rooms.headerSection.menu.ariaLabel": "Меню курсу", @@ -1403,6 +1404,12 @@ export default { "pages.rooms.importCourse.step_3.text": "Назва курсу", "pages.rooms.importCourse.step_3": "Імпортований курс можна перейменувати під час наступного кроку.", + "pages.rooms.ccImportCourse.title": "Імпортний курс", + "pages.rooms.ccImportCourse.confirm": "Імпорт", + "pages.rooms.ccImportCourse.fileInputLabel": "Виберіть файл", + "pages.rooms.ccImportCourse.loading": "Імпорт виконується...", + "pages.rooms.ccImportCourse.success": "Курс {name} успішно імпортовано.", + "pages.rooms.ccImportCourse.error": "Виникла помилка під час імпорту курсу.", "pages.rooms.index.courses.active": "Поточні курси", "pages.rooms.index.courses.all": "Всі курси", "pages.rooms.index.courses.arrangeCourses": "Упорядкувати курси", diff --git a/src/main.ts b/src/main.ts index bb05445d48..0bd03aab1f 100644 --- a/src/main.ts +++ b/src/main.ts @@ -4,6 +4,7 @@ import { applicationErrorModule, authModule, autoLogoutModule, + commonCartridgeImportModule, contentModule, contextExternalToolsModule, copyModule, @@ -52,14 +53,17 @@ import { initializeAxios } from "./utils/api"; import { APPLICATION_ERROR_KEY, AUTH_MODULE_KEY, + COMMON_CARTRIDGE_IMPORT_MODULE_KEY, CONTENT_MODULE_KEY, CONTEXT_EXTERNAL_TOOLS_MODULE_KEY, ENV_CONFIG_MODULE_KEY, GROUP_MODULE_KEY, + LOADING_STATE_MODULE_KEY, NEWS_MODULE_KEY, NOTIFIER_MODULE_KEY, PRIVACY_POLICY_MODULE_KEY, ROOM_MODULE_KEY, + ROOMS_MODULE_KEY, SCHOOL_EXTERNAL_TOOLS_MODULE_KEY, SCHOOLS_MODULE_KEY, STATUS_ALERTS_MODULE_KEY, @@ -171,7 +175,12 @@ app.use(VueDOMPurifyHTML, { userLoginMigrationModule ); app.provide(VIDEO_CONFERENCE_MODULE_KEY.valueOf(), videoConferenceModule); - + app.provide(LOADING_STATE_MODULE_KEY.valueOf(), loadingStateModule); + app.provide(ROOMS_MODULE_KEY.valueOf(), roomsModule); + app.provide( + COMMON_CARTRIDGE_IMPORT_MODULE_KEY.valueOf(), + commonCartridgeImportModule + ); app.provide(THEME_KEY.valueOf(), themeConfig); app.mount("#app"); diff --git a/src/pages/rooms/room-list.unit.ts b/src/pages/rooms/room-list.unit.ts index e7c8cb39fe..4319fd43fa 100644 --- a/src/pages/rooms/room-list.unit.ts +++ b/src/pages/rooms/room-list.unit.ts @@ -5,11 +5,21 @@ import setupStores from "@@/tests/test-utils/setupStores"; import RoomsModule from "@/store/rooms"; import AuthModule from "@/store/auth"; import EnvConfigModule from "@/store/env-config"; +import { + COMMON_CARTRIDGE_IMPORT_MODULE_KEY, + LOADING_STATE_MODULE_KEY, + NOTIFIER_MODULE_KEY, + ROOMS_MODULE_KEY, +} from "@/utils/inject"; +import { createModuleMocks } from "@/utils/mock-store-module"; +import LoadingStateModule from "@/store/loading-state"; +import NotifierModule from "@/store/notifier"; import { nextTick } from "vue"; import { createTestingI18n, createTestingVuetify, } from "@@/tests/test-utils/setup"; +import CommonCartridgeImportModule from "@/store/common-cartridge-import"; const getWrapper = (device = "desktop") => { return mount(RoomList, { @@ -19,6 +29,15 @@ const getWrapper = (device = "desktop") => { mq: { current: device }, }, }, + provide: { + [LOADING_STATE_MODULE_KEY.valueOf()]: + createModuleMocks(LoadingStateModule), + [NOTIFIER_MODULE_KEY.valueOf()]: createModuleMocks(NotifierModule), + [ROOMS_MODULE_KEY.valueOf()]: createModuleMocks(RoomsModule), + [COMMON_CARTRIDGE_IMPORT_MODULE_KEY.valueOf()]: createModuleMocks( + CommonCartridgeImportModule + ), + }, }); }; diff --git a/src/pages/rooms/room-overview.unit.js b/src/pages/rooms/room-overview.unit.js index cba5a53b38..146df76229 100644 --- a/src/pages/rooms/room-overview.unit.js +++ b/src/pages/rooms/room-overview.unit.js @@ -6,7 +6,14 @@ import EnvConfigModule from "@/store/env-config"; import LoadingStateModule from "@/store/loading-state"; import NotifierModule from "@/store/notifier"; import RoomsModule from "@/store/rooms"; -import { ENV_CONFIG_MODULE_KEY, NOTIFIER_MODULE_KEY } from "@/utils/inject"; +import CommonCartridgeImportModule from "@/store/common-cartridge-import"; +import { + ENV_CONFIG_MODULE_KEY, + LOADING_STATE_MODULE_KEY, + NOTIFIER_MODULE_KEY, + ROOMS_MODULE_KEY, + COMMON_CARTRIDGE_IMPORT_MODULE_KEY, +} from "@/utils/inject"; import { createModuleMocks } from "@/utils/mock-store-module"; import setupStores from "@@/tests/test-utils/setupStores"; import { mount } from "@vue/test-utils"; @@ -124,6 +131,7 @@ const getWrapper = (device = "desktop", options = {}) => { const envConfigModuleMock = createModuleMocks(EnvConfigModule, { getCtlToolsTabEnabled: false, }); + const roomsModuleMock = createModuleMocks(RoomsModule); return mount(RoomOverview, { global: { plugins: [createTestingVuetify(), createTestingI18n()], @@ -133,9 +141,22 @@ const getWrapper = (device = "desktop", options = {}) => { loadingStateModule: loadingStateModuleMock, [NOTIFIER_MODULE_KEY]: notifierModuleMock, [ENV_CONFIG_MODULE_KEY.valueOf()]: envConfigModuleMock, + [COMMON_CARTRIDGE_IMPORT_MODULE_KEY.valueOf()]: createModuleMocks( + CommonCartridgeImportModule + ), }, mocks: defaultMocks, }, + mocks: defaultMocks, + provide: { + copyModule: copyModuleMock, + loadingStateModule: loadingStateModuleMock, + [NOTIFIER_MODULE_KEY]: notifierModuleMock, + [ENV_CONFIG_MODULE_KEY.valueOf()]: envConfigModuleMock, + [LOADING_STATE_MODULE_KEY.valueOf()]: loadingStateModuleMock, + [NOTIFIER_MODULE_KEY.valueOf()]: notifierModuleMock, + [ROOMS_MODULE_KEY.valueOf()]: roomsModuleMock, + }, props: { role: "student", }, diff --git a/src/serverApi/v3/api.ts b/src/serverApi/v3/api.ts index ec21fa38c9..9256e7314d 100644 --- a/src/serverApi/v3/api.ts +++ b/src/serverApi/v3/api.ts @@ -5,7 +5,7 @@ * This is v3 of HPI Schul-Cloud Server. Checkout /docs for v1. * * The version of the OpenAPI document: 3.0 - * + * * * NOTE: This class is auto generated by OpenAPI Generator (https://openapi-generator.tech). * https://openapi-generator.tech @@ -22,7 +22,7 @@ import { DUMMY_BASE_URL, assertParamExists, setApiKeyToObject, setBasicAuthToObj import { BASE_PATH, COLLECTION_FORMATS, RequestArgs, BaseAPI, RequiredError } from './base'; /** - * + * * @export * @interface AccountByIdBodyParams */ @@ -47,44 +47,44 @@ export interface AccountByIdBodyParams { activated?: boolean | null; } /** - * + * * @export * @interface AccountResponse */ export interface AccountResponse { /** - * + * * @type {string} * @memberof AccountResponse */ id: string; /** - * + * * @type {string} * @memberof AccountResponse */ username: string; /** - * + * * @type {string} * @memberof AccountResponse */ userId: string; /** - * + * * @type {boolean} * @memberof AccountResponse */ activated: boolean; /** - * + * * @type {string} * @memberof AccountResponse */ updatedAt: string; } /** - * + * * @export * @interface AccountSearchListResponse */ @@ -115,7 +115,7 @@ export interface AccountSearchListResponse { limit: number; } /** - * + * * @export * @interface ApiValidationError */ @@ -152,45 +152,45 @@ export interface ApiValidationError { details?: object; } /** - * + * * @export * @interface BasicToolConfigParams */ export interface BasicToolConfigParams { /** - * + * * @type {string} * @memberof BasicToolConfigParams */ type: string; /** - * + * * @type {string} * @memberof BasicToolConfigParams */ baseUrl: string; } /** - * + * * @export * @interface BoardContextResponse */ export interface BoardContextResponse { /** - * + * * @type {string} * @memberof BoardContextResponse */ id: string; /** - * + * * @type {BoardExternalReferenceType} * @memberof BoardContextResponse */ type: BoardExternalReferenceType; } /** - * + * * @export * @interface BoardElementResponse */ @@ -220,7 +220,7 @@ export enum BoardElementResponseTypeEnum { } /** - * + * * @export * @enum {string} */ @@ -229,7 +229,7 @@ export enum BoardExternalReferenceType { } /** - * + * * @export * @enum {string} */ @@ -238,106 +238,106 @@ export enum BoardParentType { } /** - * + * * @export * @interface BoardResponse */ export interface BoardResponse { /** - * + * * @type {string} * @memberof BoardResponse */ id: string; /** - * + * * @type {string} * @memberof BoardResponse */ title: string; /** - * + * * @type {Array} * @memberof BoardResponse */ columns: Array; /** - * + * * @type {TimestampsResponse} * @memberof BoardResponse */ timestamps: TimestampsResponse; /** - * + * * @type {boolean} * @memberof BoardResponse */ isVisible: boolean; } /** - * + * * @export * @interface CardListResponse */ export interface CardListResponse { /** - * + * * @type {Array} * @memberof CardListResponse */ data: Array; } /** - * + * * @export * @interface CardResponse */ export interface CardResponse { /** - * + * * @type {string} * @memberof CardResponse */ id: string; /** - * + * * @type {string} * @memberof CardResponse */ title?: string; /** - * + * * @type {number} * @memberof CardResponse */ height: number; /** - * + * * @type {Array} * @memberof CardResponse */ elements: Array; /** - * + * * @type {VisibilitySettingsResponse} * @memberof CardResponse */ visibilitySettings: VisibilitySettingsResponse; /** - * + * * @type {TimestampsResponse} * @memberof CardResponse */ timestamps: TimestampsResponse; } /** - * + * * @export * @interface CardSkeletonResponse */ export interface CardSkeletonResponse { /** - * + * * @type {string} * @memberof CardSkeletonResponse */ @@ -350,13 +350,13 @@ export interface CardSkeletonResponse { height: number; } /** - * + * * @export * @interface ChangeLanguageParams */ export interface ChangeLanguageParams { /** - * + * * @type {string} * @memberof ChangeLanguageParams */ @@ -375,55 +375,55 @@ export enum ChangeLanguageParamsLanguageEnum { } /** - * + * * @export * @interface ClassInfoResponse */ export interface ClassInfoResponse { /** - * + * * @type {string} * @memberof ClassInfoResponse */ id: string; /** - * + * * @type {string} * @memberof ClassInfoResponse */ type: ClassInfoResponseTypeEnum; /** - * + * * @type {string} * @memberof ClassInfoResponse */ name: string; /** - * + * * @type {string} * @memberof ClassInfoResponse */ externalSourceName?: string; /** - * + * * @type {Array} * @memberof ClassInfoResponse */ teachers: Array; /** - * + * * @type {string} * @memberof ClassInfoResponse */ schoolYear?: string; /** - * + * * @type {boolean} * @memberof ClassInfoResponse */ isUpgradable?: boolean; /** - * + * * @type {number} * @memberof ClassInfoResponse */ @@ -440,7 +440,7 @@ export enum ClassInfoResponseTypeEnum { } /** - * + * * @export * @interface ClassInfoSearchListResponse */ @@ -471,7 +471,7 @@ export interface ClassInfoSearchListResponse { limit: number; } /** - * + * * @export * @enum {string} */ @@ -481,387 +481,387 @@ export enum ClassRequestContext { } /** - * + * * @export * @interface ColumnResponse */ export interface ColumnResponse { /** - * + * * @type {string} * @memberof ColumnResponse */ id: string; /** - * + * * @type {string} * @memberof ColumnResponse */ title: string; /** - * + * * @type {Array} * @memberof ColumnResponse */ cards: Array; /** - * + * * @type {TimestampsResponse} * @memberof ColumnResponse */ timestamps: TimestampsResponse; } /** - * + * * @export * @interface ConfigResponse */ export interface ConfigResponse { /** - * + * * @type {string} * @memberof ConfigResponse */ ACCESSIBILITY_REPORT_EMAIL: string; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_NEW_SCHOOL_ADMINISTRATION_PAGE_AS_DEFAULT_ENABLED: boolean; /** - * + * * @type {number} * @memberof ConfigResponse */ MIGRATION_END_GRACE_PERIOD_MS: number; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_CTL_TOOLS_TAB_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_LTI_TOOLS_TAB_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_SHOW_OUTDATED_USERS: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_ENABLE_LDAP_SYNC_DURING_MIGRATION: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_CTL_CONTEXT_CONFIGURATION_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_SHOW_NEW_CLASS_VIEW_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_CTL_TOOLS_COPY_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_SHOW_MIGRATION_WIZARD: boolean; /** - * + * * @type {string} * @memberof ConfigResponse */ MIGRATION_WIZARD_DOCUMENTATION_LINK?: string; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_TLDRAW_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ TLDRAW__ASSETS_ENABLED: boolean; /** - * + * * @type {number} * @memberof ConfigResponse */ TLDRAW__ASSETS_MAX_SIZE: number; /** - * + * * @type {string} * @memberof ConfigResponse */ TLDRAW__ASSETS_ALLOWED_EXTENSIONS_LIST?: string; /** - * + * * @type {boolean} * @memberof ConfigResponse */ ADMIN_TABLES_DISPLAY_CONSENT_COLUMN: boolean; /** - * + * * @type {string} * @memberof ConfigResponse */ ALERT_STATUS_URL: string | null; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_ES_COLLECTIONS_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_EXTENSIONS_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_TEAMS_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_LERNSTORE_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_ADMIN_TOGGLE_STUDENT_LERNSTORE_VIEW_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ TEACHER_STUDENT_VISIBILITY__IS_CONFIGURABLE: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ TEACHER_STUDENT_VISIBILITY__IS_ENABLED_BY_DEFAULT: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ TEACHER_STUDENT_VISIBILITY__IS_VISIBLE: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_SCHOOL_POLICY_ENABLED_NEW: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_SCHOOL_TERMS_OF_USE_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_NEXBOARD_COPY_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_VIDEOCONFERENCE_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_COLUMN_BOARD_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_COLUMN_BOARD_SUBMISSIONS_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_COLUMN_BOARD_LINK_ELEMENT_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_COLUMN_BOARD_EXTERNAL_TOOLS_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_COURSE_SHARE: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_LOGIN_LINK_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_LESSON_SHARE: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_TASK_SHARE: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_USER_MIGRATION_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_COPY_SERVICE_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_CONSENT_NECESSARY: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_IMSCC_COURSE_EXPORT_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_SCHOOL_SANIS_USER_MIGRATION_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_ALLOW_INSECURE_LDAP_URL_ENABLED: boolean; /** - * + * * @type {boolean} * @memberof ConfigResponse */ FEATURE_NEST_SYSTEMS_API_ENABLED: boolean; /** - * + * * @type {string} * @memberof ConfigResponse */ GHOST_BASE_URL: string; /** - * + * * @type {boolean} * @memberof ConfigResponse */ ROCKETCHAT_SERVICE_ENABLED: boolean; /** - * + * * @type {string} * @memberof ConfigResponse */ I18N__AVAILABLE_LANGUAGES: string; /** - * + * * @type {string} * @memberof ConfigResponse */ I18N__DEFAULT_LANGUAGE: string; /** - * + * * @type {string} * @memberof ConfigResponse */ I18N__FALLBACK_LANGUAGE: string; /** - * + * * @type {string} * @memberof ConfigResponse */ I18N__DEFAULT_TIMEZONE: string; /** - * + * * @type {number} * @memberof ConfigResponse */ JWT_SHOW_TIMEOUT_WARNING_SECONDS: number; /** - * + * * @type {number} * @memberof ConfigResponse */ JWT_TIMEOUT_SECONDS: number; /** - * + * * @type {string} * @memberof ConfigResponse */ NOT_AUTHENTICATED_REDIRECT_URL: string; /** - * + * * @type {string} * @memberof ConfigResponse */ DOCUMENT_BASE_DIR: string; /** - * + * * @type {string} * @memberof ConfigResponse */ SC_THEME: string; /** - * + * * @type {string} * @memberof ConfigResponse */ SC_TITLE: string; } /** - * + * * @export * @interface ConsentRequestBody */ @@ -916,7 +916,7 @@ export interface ConsentRequestBody { remember_for?: number; } /** - * + * * @export * @interface ConsentResponse */ @@ -928,7 +928,7 @@ export interface ConsentResponse { */ acr: string; /** - * + * * @type {Array} * @memberof ConsentResponse */ @@ -940,13 +940,13 @@ export interface ConsentResponse { */ challenge: object; /** - * + * * @type {OauthClientResponse} * @memberof ConsentResponse */ client: OauthClientResponse; /** - * + * * @type {object} * @memberof ConsentResponse */ @@ -964,7 +964,7 @@ export interface ConsentResponse { */ login_session_id: string; /** - * + * * @type {OidcContextResponse} * @memberof ConsentResponse */ @@ -976,7 +976,7 @@ export interface ConsentResponse { */ request_url: string; /** - * + * * @type {Array} * @memberof ConsentResponse */ @@ -1001,7 +1001,7 @@ export interface ConsentResponse { subject: string; } /** - * + * * @export * @interface ConsentSessionResponse */ @@ -1026,7 +1026,7 @@ export interface ConsentSessionResponse { challenge: string; } /** - * + * * @export * @enum {string} */ @@ -1040,7 +1040,7 @@ export enum ContentElementType { } /** - * + * * @export * @interface ContextExternalToolConfigurationStatusResponse */ @@ -1071,173 +1071,173 @@ export interface ContextExternalToolConfigurationStatusResponse { isDeactivated: boolean; } /** - * + * * @export * @interface ContextExternalToolConfigurationTemplateListResponse */ export interface ContextExternalToolConfigurationTemplateListResponse { /** - * + * * @type {Array} * @memberof ContextExternalToolConfigurationTemplateListResponse */ data: Array; } /** - * + * * @export * @interface ContextExternalToolConfigurationTemplateResponse */ export interface ContextExternalToolConfigurationTemplateResponse { /** - * + * * @type {string} * @memberof ContextExternalToolConfigurationTemplateResponse */ externalToolId: string; /** - * + * * @type {string} * @memberof ContextExternalToolConfigurationTemplateResponse */ schoolExternalToolId: string; /** - * + * * @type {string} * @memberof ContextExternalToolConfigurationTemplateResponse */ name: string; /** - * + * * @type {string} * @memberof ContextExternalToolConfigurationTemplateResponse */ logoUrl?: string; /** - * + * * @type {Array} * @memberof ContextExternalToolConfigurationTemplateResponse */ parameters: Array; /** - * + * * @type {number} * @memberof ContextExternalToolConfigurationTemplateResponse */ version: number; } /** - * + * * @export * @interface ContextExternalToolCountPerContextResponse */ export interface ContextExternalToolCountPerContextResponse { /** - * + * * @type {number} * @memberof ContextExternalToolCountPerContextResponse */ course: number; /** - * + * * @type {number} * @memberof ContextExternalToolCountPerContextResponse */ boardElement: number; } /** - * + * * @export * @interface ContextExternalToolPostParams */ export interface ContextExternalToolPostParams { /** - * + * * @type {string} * @memberof ContextExternalToolPostParams */ schoolToolId: string; /** - * + * * @type {string} * @memberof ContextExternalToolPostParams */ contextId: string; /** - * + * * @type {string} * @memberof ContextExternalToolPostParams */ contextType: string; /** - * + * * @type {string} * @memberof ContextExternalToolPostParams */ displayName?: string; /** - * + * * @type {Array} * @memberof ContextExternalToolPostParams */ parameters?: Array; /** - * + * * @type {number} * @memberof ContextExternalToolPostParams */ toolVersion: number; } /** - * + * * @export * @interface ContextExternalToolResponse */ export interface ContextExternalToolResponse { /** - * + * * @type {string} * @memberof ContextExternalToolResponse */ id: string; /** - * + * * @type {string} * @memberof ContextExternalToolResponse */ schoolToolId: string; /** - * + * * @type {string} * @memberof ContextExternalToolResponse */ contextId: string; /** - * + * * @type {string} * @memberof ContextExternalToolResponse */ contextType: ContextExternalToolResponseContextTypeEnum; /** - * + * * @type {string} * @memberof ContextExternalToolResponse */ displayName?: string; /** - * + * * @type {Array} * @memberof ContextExternalToolResponse */ parameters: Array; /** - * + * * @type {number} * @memberof ContextExternalToolResponse */ toolVersion: number; /** - * + * * @type {string} * @memberof ContextExternalToolResponse */ @@ -1254,20 +1254,20 @@ export enum ContextExternalToolResponseContextTypeEnum { } /** - * + * * @export * @interface ContextExternalToolSearchListResponse */ export interface ContextExternalToolSearchListResponse { /** - * + * * @type {Array} * @memberof ContextExternalToolSearchListResponse */ data: Array; } /** - * + * * @export * @interface CopyApiResponse */ @@ -1364,38 +1364,38 @@ export enum CopyApiResponseStatusEnum { } /** - * + * * @export * @interface CountyResponse */ export interface CountyResponse { /** - * + * * @type {string} * @memberof CountyResponse */ id: string; /** - * + * * @type {string} * @memberof CountyResponse */ name: string; /** - * + * * @type {number} * @memberof CountyResponse */ countyId: number; /** - * + * * @type {string} * @memberof CountyResponse */ antaresKey: string; } /** - * + * * @export * @interface CourseMetadataListResponse */ @@ -1426,7 +1426,7 @@ export interface CourseMetadataListResponse { limit: number; } /** - * + * * @export * @interface CourseMetadataResponse */ @@ -1475,7 +1475,7 @@ export interface CourseMetadataResponse { copyingSince?: string; } /** - * + * * @export * @interface CreateBoardBodyParams */ @@ -1493,33 +1493,33 @@ export interface CreateBoardBodyParams { */ parentId: string; /** - * + * * @type {BoardParentType} * @memberof CreateBoardBodyParams */ parentType: BoardParentType; } /** - * + * * @export * @interface CreateBoardResponse */ export interface CreateBoardResponse { /** - * + * * @type {string} * @memberof CreateBoardResponse */ id: string; } /** - * + * * @export * @interface CreateCardBodyParams */ export interface CreateCardBodyParams { /** - * + * * @type {Array} * @memberof CreateCardBodyParams */ @@ -1540,13 +1540,13 @@ export enum CreateCardBodyParamsRequiredEmptyElementsEnum { } /** - * + * * @export * @interface CreateContentElementBodyParams */ export interface CreateContentElementBodyParams { /** - * + * * @type {ContentElementType} * @memberof CreateContentElementBodyParams */ @@ -1559,7 +1559,7 @@ export interface CreateContentElementBodyParams { toPosition?: number; } /** - * + * * @export * @interface CreateNewsParams */ @@ -1607,7 +1607,7 @@ export enum CreateNewsParamsTargetModelEnum { } /** - * + * * @export * @interface CreateSubmissionItemBodyParams */ @@ -1620,184 +1620,184 @@ export interface CreateSubmissionItemBodyParams { completed: boolean; } /** - * + * * @export * @interface CustomParameterEntryParam */ export interface CustomParameterEntryParam { /** - * + * * @type {string} * @memberof CustomParameterEntryParam */ name: string; /** - * + * * @type {string} * @memberof CustomParameterEntryParam */ value?: string; } /** - * + * * @export * @interface CustomParameterEntryResponse */ export interface CustomParameterEntryResponse { /** - * + * * @type {string} * @memberof CustomParameterEntryResponse */ name: string; /** - * + * * @type {string} * @memberof CustomParameterEntryResponse */ value?: string; } /** - * + * * @export * @interface CustomParameterPostParams */ export interface CustomParameterPostParams { /** - * + * * @type {string} * @memberof CustomParameterPostParams */ name: string; /** - * + * * @type {string} * @memberof CustomParameterPostParams */ displayName: string; /** - * + * * @type {string} * @memberof CustomParameterPostParams */ description?: string; /** - * + * * @type {string} * @memberof CustomParameterPostParams */ defaultValue?: string; /** - * + * * @type {string} * @memberof CustomParameterPostParams */ regex?: string; /** - * + * * @type {string} * @memberof CustomParameterPostParams */ regexComment?: string; /** - * + * * @type {string} * @memberof CustomParameterPostParams */ scope: string; /** - * + * * @type {string} * @memberof CustomParameterPostParams */ location: string; /** - * + * * @type {string} * @memberof CustomParameterPostParams */ type: string; /** - * + * * @type {boolean} * @memberof CustomParameterPostParams */ isOptional: boolean; /** - * + * * @type {boolean} * @memberof CustomParameterPostParams */ isProtected: boolean; } /** - * + * * @export * @interface CustomParameterResponse */ export interface CustomParameterResponse { /** - * + * * @type {string} * @memberof CustomParameterResponse */ name: string; /** - * + * * @type {string} * @memberof CustomParameterResponse */ displayName: string; /** - * + * * @type {string} * @memberof CustomParameterResponse */ description?: string; /** - * + * * @type {string} * @memberof CustomParameterResponse */ defaultValue?: string; /** - * + * * @type {string} * @memberof CustomParameterResponse */ regex?: string; /** - * + * * @type {string} * @memberof CustomParameterResponse */ regexComment?: string; /** - * + * * @type {string} * @memberof CustomParameterResponse */ scope: CustomParameterResponseScopeEnum; /** - * + * * @type {string} * @memberof CustomParameterResponse */ location: CustomParameterResponseLocationEnum; /** - * + * * @type {string} * @memberof CustomParameterResponse */ type: CustomParameterResponseTypeEnum; /** - * + * * @type {boolean} * @memberof CustomParameterResponse */ isOptional: boolean; /** - * + * * @type {boolean} * @memberof CustomParameterResponse */ @@ -1837,7 +1837,7 @@ export enum CustomParameterResponseTypeEnum { } /** - * + * * @export * @interface DashboardGridElementResponse */ @@ -1898,7 +1898,7 @@ export interface DashboardGridElementResponse { copyingSince: string; } /** - * + * * @export * @interface DashboardGridSubElementResponse */ @@ -1929,7 +1929,7 @@ export interface DashboardGridSubElementResponse { displayColor: string; } /** - * + * * @export * @interface DashboardResponse */ @@ -1948,83 +1948,83 @@ export interface DashboardResponse { gridElements: Array; } /** - * + * * @export * @interface DrawingContentBody */ export interface DrawingContentBody { /** - * + * * @type {string} * @memberof DrawingContentBody */ description: string; } /** - * + * * @export * @interface DrawingElementContent */ export interface DrawingElementContent { /** - * + * * @type {string} * @memberof DrawingElementContent */ description: string; } /** - * + * * @export * @interface DrawingElementContentBody */ export interface DrawingElementContentBody { /** - * + * * @type {ContentElementType} * @memberof DrawingElementContentBody */ type: ContentElementType; /** - * + * * @type {DrawingContentBody} * @memberof DrawingElementContentBody */ content: DrawingContentBody; } /** - * + * * @export * @interface DrawingElementResponse */ export interface DrawingElementResponse { /** - * + * * @type {string} * @memberof DrawingElementResponse */ id: string; /** - * + * * @type {ContentElementType} * @memberof DrawingElementResponse */ type: ContentElementType; /** - * + * * @type {TimestampsResponse} * @memberof DrawingElementResponse */ timestamps: TimestampsResponse; /** - * + * * @type {DrawingElementContent} * @memberof DrawingElementResponse */ content: DrawingElementContent; } /** - * + * * @export * @interface EntityNotFoundError */ @@ -2061,75 +2061,75 @@ export interface EntityNotFoundError { details?: object; } /** - * + * * @export * @interface ExternalSourceResponse */ export interface ExternalSourceResponse { /** - * + * * @type {string} * @memberof ExternalSourceResponse */ externalId: string; /** - * + * * @type {string} * @memberof ExternalSourceResponse */ systemId: string; } /** - * + * * @export * @interface ExternalToolContentBody */ export interface ExternalToolContentBody { /** - * + * * @type {string} * @memberof ExternalToolContentBody */ contextExternalToolId?: string; } /** - * + * * @export * @interface ExternalToolCreateParams */ export interface ExternalToolCreateParams { /** - * + * * @type {string} * @memberof ExternalToolCreateParams */ name: string; /** - * + * * @type {string} * @memberof ExternalToolCreateParams */ url?: string; /** - * + * * @type {string} * @memberof ExternalToolCreateParams */ logoUrl?: string; /** - * + * * @type {BasicToolConfigParams | Lti11ToolConfigCreateParams | Oauth2ToolConfigCreateParams} * @memberof ExternalToolCreateParams */ config: BasicToolConfigParams | Lti11ToolConfigCreateParams | Oauth2ToolConfigCreateParams; /** - * + * * @type {Array} * @memberof ExternalToolCreateParams */ parameters?: Array; /** - * + * * @type {boolean} * @memberof ExternalToolCreateParams */ @@ -2141,175 +2141,175 @@ export interface ExternalToolCreateParams { */ isDeactivated: boolean; /** - * + * * @type {boolean} * @memberof ExternalToolCreateParams */ openNewTab: boolean; /** - * + * * @type {Array} * @memberof ExternalToolCreateParams */ restrictToContexts?: Array; } /** - * + * * @export * @interface ExternalToolElementContent */ export interface ExternalToolElementContent { /** - * + * * @type {string} * @memberof ExternalToolElementContent */ contextExternalToolId: string | null; } /** - * + * * @export * @interface ExternalToolElementContentBody */ export interface ExternalToolElementContentBody { /** - * + * * @type {ContentElementType} * @memberof ExternalToolElementContentBody */ type: ContentElementType; /** - * + * * @type {ExternalToolContentBody} * @memberof ExternalToolElementContentBody */ content: ExternalToolContentBody; } /** - * + * * @export * @interface ExternalToolElementResponse */ export interface ExternalToolElementResponse { /** - * + * * @type {string} * @memberof ExternalToolElementResponse */ id: string; /** - * + * * @type {ContentElementType} * @memberof ExternalToolElementResponse */ type: ContentElementType; /** - * + * * @type {ExternalToolElementContent} * @memberof ExternalToolElementResponse */ content: ExternalToolElementContent; /** - * + * * @type {TimestampsResponse} * @memberof ExternalToolElementResponse */ timestamps: TimestampsResponse; } /** - * + * * @export * @interface ExternalToolMetadataResponse */ export interface ExternalToolMetadataResponse { /** - * + * * @type {number} * @memberof ExternalToolMetadataResponse */ schoolExternalToolCount: number; /** - * + * * @type {ContextExternalToolCountPerContextResponse} * @memberof ExternalToolMetadataResponse */ contextExternalToolCountPerContext: ContextExternalToolCountPerContextResponse; } /** - * + * * @export * @interface ExternalToolResponse */ export interface ExternalToolResponse { /** - * + * * @type {string} * @memberof ExternalToolResponse */ id: string; /** - * + * * @type {string} * @memberof ExternalToolResponse */ name: string; /** - * + * * @type {string} * @memberof ExternalToolResponse */ url?: string; /** - * + * * @type {string} * @memberof ExternalToolResponse */ logoUrl?: string; /** - * + * * @type {object} * @memberof ExternalToolResponse */ config: object; /** - * + * * @type {Array} * @memberof ExternalToolResponse */ parameters: Array; /** - * + * * @type {boolean} * @memberof ExternalToolResponse */ isHidden: boolean; /** - * + * * @type {boolean} * @memberof ExternalToolResponse */ isDeactivated: boolean; /** - * + * * @type {boolean} * @memberof ExternalToolResponse */ openNewTab: boolean; /** - * + * * @type {number} * @memberof ExternalToolResponse */ version: number; /** - * + * * @type {Array} * @memberof ExternalToolResponse */ restrictToContexts?: Array; } /** - * + * * @export * @interface ExternalToolSearchListResponse */ @@ -2340,199 +2340,199 @@ export interface ExternalToolSearchListResponse { limit: number; } /** - * + * * @export * @interface ExternalToolUpdateParams */ export interface ExternalToolUpdateParams { /** - * + * * @type {string} * @memberof ExternalToolUpdateParams */ id: string; /** - * + * * @type {string} * @memberof ExternalToolUpdateParams */ name: string; /** - * + * * @type {string} * @memberof ExternalToolUpdateParams */ url?: string; /** - * + * * @type {string} * @memberof ExternalToolUpdateParams */ logoUrl?: string; /** - * + * * @type {BasicToolConfigParams | Lti11ToolConfigUpdateParams | Oauth2ToolConfigUpdateParams} * @memberof ExternalToolUpdateParams */ config: BasicToolConfigParams | Lti11ToolConfigUpdateParams | Oauth2ToolConfigUpdateParams; /** - * + * * @type {Array} * @memberof ExternalToolUpdateParams */ parameters?: Array; /** - * + * * @type {boolean} * @memberof ExternalToolUpdateParams */ isHidden: boolean; /** - * + * * @type {boolean} * @memberof ExternalToolUpdateParams */ isDeactivated: boolean; /** - * + * * @type {boolean} * @memberof ExternalToolUpdateParams */ openNewTab: boolean; /** - * + * * @type {Array} * @memberof ExternalToolUpdateParams */ restrictToContexts?: Array; } /** - * + * * @export * @interface FederalStateResponse */ export interface FederalStateResponse { /** - * + * * @type {string} * @memberof FederalStateResponse */ id: string; /** - * + * * @type {string} * @memberof FederalStateResponse */ name: string; /** - * + * * @type {string} * @memberof FederalStateResponse */ abbreviation: string; /** - * + * * @type {string} * @memberof FederalStateResponse */ logoUrl: string; /** - * + * * @type {Array} * @memberof FederalStateResponse */ counties: Array; } /** - * + * * @export * @interface FileContentBody */ export interface FileContentBody { /** - * + * * @type {string} * @memberof FileContentBody */ caption: string; /** - * + * * @type {string} * @memberof FileContentBody */ alternativeText: string; } /** - * + * * @export * @interface FileElementContent */ export interface FileElementContent { /** - * + * * @type {string} * @memberof FileElementContent */ caption: string; /** - * + * * @type {string} * @memberof FileElementContent */ alternativeText: string; } /** - * + * * @export * @interface FileElementContentBody */ export interface FileElementContentBody { /** - * + * * @type {ContentElementType} * @memberof FileElementContentBody */ type: ContentElementType; /** - * + * * @type {FileContentBody} * @memberof FileElementContentBody */ content: FileContentBody; } /** - * + * * @export * @interface FileElementResponse */ export interface FileElementResponse { /** - * + * * @type {string} * @memberof FileElementResponse */ id: string; /** - * + * * @type {ContentElementType} * @memberof FileElementResponse */ type: ContentElementType; /** - * + * * @type {FileElementContent} * @memberof FileElementResponse */ content: FileElementContent; /** - * + * * @type {TimestampsResponse} * @memberof FileElementResponse */ timestamps: TimestampsResponse; } /** - * + * * @export * @enum {string} */ @@ -2541,7 +2541,7 @@ export enum FileStorageType { } /** - * + * * @export * @interface ForbiddenOperationError */ @@ -2578,56 +2578,56 @@ export interface ForbiddenOperationError { details?: object; } /** - * + * * @export * @interface GetMetaTagDataBody */ export interface GetMetaTagDataBody { /** - * + * * @type {string} * @memberof GetMetaTagDataBody */ url: string; } /** - * + * * @export * @interface GroupResponse */ export interface GroupResponse { /** - * + * * @type {string} * @memberof GroupResponse */ id: string; /** - * + * * @type {string} * @memberof GroupResponse */ name: string; /** - * + * * @type {string} * @memberof GroupResponse */ type: GroupResponseTypeEnum; /** - * + * * @type {Array} * @memberof GroupResponse */ users: Array; /** - * + * * @type {ExternalSourceResponse} * @memberof GroupResponse */ externalSource?: ExternalSourceResponse; /** - * + * * @type {string} * @memberof GroupResponse */ @@ -2645,31 +2645,31 @@ export enum GroupResponseTypeEnum { } /** - * + * * @export * @interface GroupUserResponse */ export interface GroupUserResponse { /** - * + * * @type {string} * @memberof GroupUserResponse */ id: string; /** - * + * * @type {string} * @memberof GroupUserResponse */ firstName: string; /** - * + * * @type {string} * @memberof GroupUserResponse */ lastName: string; /** - * + * * @type {string} * @memberof GroupUserResponse */ @@ -2703,7 +2703,7 @@ export enum GroupUserResponseRoleEnum { } /** - * + * * @export * @interface ImportUserListResponse */ @@ -2734,7 +2734,7 @@ export interface ImportUserListResponse { limit: number; } /** - * + * * @export * @interface ImportUserResponse */ @@ -2800,7 +2800,7 @@ export enum ImportUserResponseRoleNamesEnum { } /** - * + * * @export * @enum {string} */ @@ -2809,44 +2809,44 @@ export enum InstanceFeature { } /** - * + * * @export * @interface LdapAuthorizationBodyParams */ export interface LdapAuthorizationBodyParams { /** - * + * * @type {string} * @memberof LdapAuthorizationBodyParams */ systemId: string; /** - * + * * @type {string} * @memberof LdapAuthorizationBodyParams */ username: string; /** - * + * * @type {string} * @memberof LdapAuthorizationBodyParams */ password: string; /** - * + * * @type {string} * @memberof LdapAuthorizationBodyParams */ schoolId: string; } /** - * + * * @export * @interface LessonContentResponse */ export interface LessonContentResponse { /** - * + * * @type {object} * @memberof LessonContentResponse */ @@ -2871,13 +2871,13 @@ export interface LessonContentResponse { */ title: string; /** - * + * * @type {string} * @memberof LessonContentResponse */ component: LessonContentResponseComponentEnum; /** - * + * * @type {boolean} * @memberof LessonContentResponse */ @@ -2898,7 +2898,7 @@ export enum LessonContentResponseComponentEnum { } /** - * + * * @export * @interface LessonCopyApiParams */ @@ -2911,7 +2911,7 @@ export interface LessonCopyApiParams { courseId?: string; } /** - * + * * @export * @interface LessonMetadataListResponse */ @@ -2942,7 +2942,7 @@ export interface LessonMetadataListResponse { limit: number; } /** - * + * * @export * @interface LessonMetadataResponse */ @@ -2961,7 +2961,7 @@ export interface LessonMetadataResponse { name: string; } /** - * + * * @export * @interface LessonResponse */ @@ -3023,138 +3023,138 @@ export interface LessonResponse { materials: Array; } /** - * + * * @export * @interface LinkContentBody */ export interface LinkContentBody { /** - * + * * @type {string} * @memberof LinkContentBody */ url: string; /** - * + * * @type {string} * @memberof LinkContentBody */ title: string; /** - * + * * @type {string} * @memberof LinkContentBody */ description: string; /** - * + * * @type {string} * @memberof LinkContentBody */ imageUrl: string; } /** - * + * * @export * @interface LinkElementContent */ export interface LinkElementContent { /** - * + * * @type {string} * @memberof LinkElementContent */ url: string; /** - * + * * @type {string} * @memberof LinkElementContent */ title: string; /** - * + * * @type {string} * @memberof LinkElementContent */ description?: string; /** - * + * * @type {string} * @memberof LinkElementContent */ imageUrl?: string; } /** - * + * * @export * @interface LinkElementContentBody */ export interface LinkElementContentBody { /** - * + * * @type {ContentElementType} * @memberof LinkElementContentBody */ type: ContentElementType; /** - * + * * @type {LinkContentBody} * @memberof LinkElementContentBody */ content: LinkContentBody; } /** - * + * * @export * @interface LinkElementResponse */ export interface LinkElementResponse { /** - * + * * @type {string} * @memberof LinkElementResponse */ id: string; /** - * + * * @type {ContentElementType} * @memberof LinkElementResponse */ type: ContentElementType; /** - * + * * @type {LinkElementContent} * @memberof LinkElementResponse */ content: LinkElementContent; /** - * + * * @type {TimestampsResponse} * @memberof LinkElementResponse */ timestamps: TimestampsResponse; } /** - * + * * @export * @interface LocalAuthorizationBodyParams */ export interface LocalAuthorizationBodyParams { /** - * + * * @type {string} * @memberof LocalAuthorizationBodyParams */ username: string; /** - * + * * @type {string} * @memberof LocalAuthorizationBodyParams */ password: string; } /** - * + * * @export * @interface LoginRequestBody */ @@ -3203,7 +3203,7 @@ export interface LoginRequestBody { remember_for?: number; } /** - * + * * @export * @interface LoginResponse */ @@ -3221,13 +3221,13 @@ export interface LoginResponse { */ challenge: object; /** - * + * * @type {object} * @memberof LoginResponse */ client: object; /** - * + * * @type {OidcContextResponse} * @memberof LoginResponse */ @@ -3239,7 +3239,7 @@ export interface LoginResponse { */ request_url: string; /** - * + * * @type {Array} * @memberof LoginResponse */ @@ -3270,105 +3270,105 @@ export interface LoginResponse { subject: object; } /** - * + * * @export * @interface Lti11ToolConfigCreateParams */ export interface Lti11ToolConfigCreateParams { /** - * + * * @type {string} * @memberof Lti11ToolConfigCreateParams */ type: string; /** - * + * * @type {string} * @memberof Lti11ToolConfigCreateParams */ baseUrl: string; /** - * + * * @type {string} * @memberof Lti11ToolConfigCreateParams */ key: string; /** - * + * * @type {string} * @memberof Lti11ToolConfigCreateParams */ secret: string; /** - * + * * @type {string} * @memberof Lti11ToolConfigCreateParams */ lti_message_type: string; /** - * + * * @type {string} * @memberof Lti11ToolConfigCreateParams */ privacy_permission: string; /** - * + * * @type {string} * @memberof Lti11ToolConfigCreateParams */ launch_presentation_locale: string; } /** - * + * * @export * @interface Lti11ToolConfigUpdateParams */ export interface Lti11ToolConfigUpdateParams { /** - * + * * @type {string} * @memberof Lti11ToolConfigUpdateParams */ type: string; /** - * + * * @type {string} * @memberof Lti11ToolConfigUpdateParams */ baseUrl: string; /** - * + * * @type {string} * @memberof Lti11ToolConfigUpdateParams */ key: string; /** - * + * * @type {string} * @memberof Lti11ToolConfigUpdateParams */ secret?: string; /** - * + * * @type {string} * @memberof Lti11ToolConfigUpdateParams */ lti_message_type: string; /** - * + * * @type {string} * @memberof Lti11ToolConfigUpdateParams */ privacy_permission: string; /** - * + * * @type {string} * @memberof Lti11ToolConfigUpdateParams */ launch_presentation_locale: string; } /** - * + * * @export * @interface MaterialResponse */ @@ -3423,225 +3423,225 @@ export interface MaterialResponse { merlinReference: string; } /** - * + * * @export * @interface MeAccountResponse */ export interface MeAccountResponse { /** - * + * * @type {string} * @memberof MeAccountResponse */ id: string; } /** - * + * * @export * @interface MeResponse */ export interface MeResponse { /** - * + * * @type {MeSchoolResponse} * @memberof MeResponse */ school: MeSchoolResponse; /** - * + * * @type {MeUserResponse} * @memberof MeResponse */ user: MeUserResponse; /** - * + * * @type {Array} * @memberof MeResponse */ roles: Array; /** - * + * * @type {Array} * @memberof MeResponse */ permissions: Array; /** - * + * * @type {string} * @memberof MeResponse */ language?: string; /** - * + * * @type {MeAccountResponse} * @memberof MeResponse */ account: MeAccountResponse; } /** - * + * * @export * @interface MeRolesReponse */ export interface MeRolesReponse { /** - * + * * @type {string} * @memberof MeRolesReponse */ id: string; /** - * + * * @type {string} * @memberof MeRolesReponse */ name: string; } /** - * + * * @export * @interface MeSchoolLogoResponse */ export interface MeSchoolLogoResponse { /** - * + * * @type {string} * @memberof MeSchoolLogoResponse */ url?: string; /** - * + * * @type {string} * @memberof MeSchoolLogoResponse */ name?: string; } /** - * + * * @export * @interface MeSchoolResponse */ export interface MeSchoolResponse { /** - * + * * @type {string} * @memberof MeSchoolResponse */ id: string; /** - * + * * @type {string} * @memberof MeSchoolResponse */ name: string; /** - * + * * @type {MeSchoolLogoResponse} * @memberof MeSchoolResponse */ logo: MeSchoolLogoResponse; } /** - * + * * @export * @interface MeUserResponse */ export interface MeUserResponse { /** - * + * * @type {string} * @memberof MeUserResponse */ id: string; /** - * + * * @type {string} * @memberof MeUserResponse */ firstName: string; /** - * + * * @type {string} * @memberof MeUserResponse */ lastName: string; /** - * + * * @type {string} * @memberof MeUserResponse */ customAvatarBackgroundColor?: string; } /** - * + * * @export * @interface MetaTagExtractorResponse */ export interface MetaTagExtractorResponse { /** - * + * * @type {string} * @memberof MetaTagExtractorResponse */ url: string; /** - * + * * @type {string} * @memberof MetaTagExtractorResponse */ title: string; /** - * + * * @type {string} * @memberof MetaTagExtractorResponse */ description: string; /** - * + * * @type {string} * @memberof MetaTagExtractorResponse */ imageUrl: string; /** - * + * * @type {string} * @memberof MetaTagExtractorResponse */ type: string; /** - * + * * @type {string} * @memberof MetaTagExtractorResponse */ parentTitle: string; /** - * + * * @type {string} * @memberof MetaTagExtractorResponse */ parentType: string; } /** - * + * * @export * @interface MoveCardBodyParams */ export interface MoveCardBodyParams { /** - * + * * @type {string} * @memberof MoveCardBodyParams */ toColumnId: string; /** - * + * * @type {number} * @memberof MoveCardBodyParams */ toPosition: number; } /** - * + * * @export * @interface MoveColumnBodyParams */ @@ -3653,64 +3653,64 @@ export interface MoveColumnBodyParams { */ toBoardId: string; /** - * + * * @type {number} * @memberof MoveColumnBodyParams */ toPosition: number; } /** - * + * * @export * @interface MoveContentElementBody */ export interface MoveContentElementBody { /** - * + * * @type {string} * @memberof MoveContentElementBody */ toCardId: string; /** - * + * * @type {number} * @memberof MoveContentElementBody */ toPosition: number; } /** - * + * * @export * @interface MoveElementParams */ export interface MoveElementParams { /** - * + * * @type {MoveElementPositionParams} * @memberof MoveElementParams */ from: MoveElementPositionParams; /** - * + * * @type {MoveElementPositionParams} * @memberof MoveElementParams */ to: MoveElementPositionParams; } /** - * + * * @export * @interface MoveElementPositionParams */ export interface MoveElementPositionParams { /** - * + * * @type {number} * @memberof MoveElementPositionParams */ x: number; /** - * + * * @type {number} * @memberof MoveElementPositionParams */ @@ -3723,7 +3723,7 @@ export interface MoveElementPositionParams { groupIndex?: number; } /** - * + * * @export * @interface NewsListResponse */ @@ -3754,7 +3754,7 @@ export interface NewsListResponse { limit: number; } /** - * + * * @export * @interface NewsResponse */ @@ -3796,7 +3796,7 @@ export interface NewsResponse { */ sourceDescription?: string; /** - * + * * @type {NewsTargetModel} * @memberof NewsResponse */ @@ -3861,7 +3861,7 @@ export enum NewsResponseSourceEnum { } /** - * + * * @export * @enum {string} */ @@ -3872,204 +3872,204 @@ export enum NewsTargetModel { } /** - * + * * @export * @interface OAuthTokenDto */ export interface OAuthTokenDto { /** - * + * * @type {string} * @memberof OAuthTokenDto */ idToken: string; /** - * + * * @type {string} * @memberof OAuthTokenDto */ refreshToken: string; /** - * + * * @type {string} * @memberof OAuthTokenDto */ accessToken: string; } /** - * + * * @export * @interface Oauth2AuthorizationBodyParams */ export interface Oauth2AuthorizationBodyParams { /** - * + * * @type {string} * @memberof Oauth2AuthorizationBodyParams */ redirectUri: string; /** - * + * * @type {string} * @memberof Oauth2AuthorizationBodyParams */ code: string; /** - * + * * @type {string} * @memberof Oauth2AuthorizationBodyParams */ systemId: string; } /** - * + * * @export * @interface Oauth2MigrationParams */ export interface Oauth2MigrationParams { /** - * + * * @type {string} * @memberof Oauth2MigrationParams */ redirectUri: string; /** - * + * * @type {string} * @memberof Oauth2MigrationParams */ code: string; /** - * + * * @type {string} * @memberof Oauth2MigrationParams */ systemId: string; } /** - * + * * @export * @interface Oauth2ToolConfigCreateParams */ export interface Oauth2ToolConfigCreateParams { /** - * + * * @type {string} * @memberof Oauth2ToolConfigCreateParams */ type: string; /** - * + * * @type {string} * @memberof Oauth2ToolConfigCreateParams */ baseUrl: string; /** - * + * * @type {string} * @memberof Oauth2ToolConfigCreateParams */ clientId: string; /** - * + * * @type {string} * @memberof Oauth2ToolConfigCreateParams */ clientSecret: string; /** - * + * * @type {boolean} * @memberof Oauth2ToolConfigCreateParams */ skipConsent: boolean; /** - * + * * @type {string} * @memberof Oauth2ToolConfigCreateParams */ frontchannelLogoutUri?: string; /** - * + * * @type {string} * @memberof Oauth2ToolConfigCreateParams */ scope?: string; /** - * + * * @type {Array} * @memberof Oauth2ToolConfigCreateParams */ redirectUris: Array; /** - * + * * @type {string} * @memberof Oauth2ToolConfigCreateParams */ tokenEndpointAuthMethod: string; } /** - * + * * @export * @interface Oauth2ToolConfigUpdateParams */ export interface Oauth2ToolConfigUpdateParams { /** - * + * * @type {string} * @memberof Oauth2ToolConfigUpdateParams */ type: string; /** - * + * * @type {string} * @memberof Oauth2ToolConfigUpdateParams */ baseUrl: string; /** - * + * * @type {string} * @memberof Oauth2ToolConfigUpdateParams */ clientId: string; /** - * + * * @type {string} * @memberof Oauth2ToolConfigUpdateParams */ clientSecret?: string; /** - * + * * @type {boolean} * @memberof Oauth2ToolConfigUpdateParams */ skipConsent: boolean; /** - * + * * @type {string} * @memberof Oauth2ToolConfigUpdateParams */ frontchannelLogoutUri?: string; /** - * + * * @type {string} * @memberof Oauth2ToolConfigUpdateParams */ scope?: string; /** - * + * * @type {Array} * @memberof Oauth2ToolConfigUpdateParams */ redirectUris: Array; /** - * + * * @type {string} * @memberof Oauth2ToolConfigUpdateParams */ tokenEndpointAuthMethod: string; } /** - * + * * @export * @interface OauthClientBody */ @@ -4136,37 +4136,37 @@ export interface OauthClientBody { response_types?: Array; } /** - * + * * @export * @interface OauthClientResponse */ export interface OauthClientResponse { /** - * + * * @type {Array} * @memberof OauthClientResponse */ allowed_cors_origins?: Array; /** - * + * * @type {Array} * @memberof OauthClientResponse */ audience: Array; /** - * + * * @type {string} * @memberof OauthClientResponse */ authorization_code_grant_access_token_lifespan: string; /** - * + * * @type {string} * @memberof OauthClientResponse */ authorization_code_grant_id_token_lifespan: string; /** - * + * * @type {string} * @memberof OauthClientResponse */ @@ -4184,7 +4184,7 @@ export interface OauthClientResponse { */ backchannel_logout_uri: string; /** - * + * * @type {string} * @memberof OauthClientResponse */ @@ -4214,7 +4214,7 @@ export interface OauthClientResponse { */ client_uri: string; /** - * + * * @type {Array} * @memberof OauthClientResponse */ @@ -4244,19 +4244,19 @@ export interface OauthClientResponse { */ grant_types?: Array; /** - * + * * @type {string} * @memberof OauthClientResponse */ implicit_grant_access_token_lifespan: string; /** - * + * * @type {string} * @memberof OauthClientResponse */ implicit_grant_id_token_lifespan: string; /** - * + * * @type {object} * @memberof OauthClientResponse */ @@ -4268,7 +4268,7 @@ export interface OauthClientResponse { */ jwks_uri: string; /** - * + * * @type {string} * @memberof OauthClientResponse */ @@ -4280,7 +4280,7 @@ export interface OauthClientResponse { */ logo_uri: string; /** - * + * * @type {object} * @memberof OauthClientResponse */ @@ -4292,13 +4292,13 @@ export interface OauthClientResponse { */ owner: string; /** - * + * * @type {string} * @memberof OauthClientResponse */ password_grant_access_token_lifespan: string; /** - * + * * @type {string} * @memberof OauthClientResponse */ @@ -4310,31 +4310,31 @@ export interface OauthClientResponse { */ policy_uri: string; /** - * + * * @type {Array} * @memberof OauthClientResponse */ post_logout_redirect_uris?: Array; /** - * + * * @type {Array} * @memberof OauthClientResponse */ redirect_uris?: Array; /** - * + * * @type {string} * @memberof OauthClientResponse */ refresh_token_grant_access_token_lifespan: string; /** - * + * * @type {string} * @memberof OauthClientResponse */ refresh_token_grant_id_token_lifespan: string; /** - * + * * @type {string} * @memberof OauthClientResponse */ @@ -4358,7 +4358,7 @@ export interface OauthClientResponse { */ request_object_signing_alg: string; /** - * + * * @type {Array} * @memberof OauthClientResponse */ @@ -4388,13 +4388,13 @@ export interface OauthClientResponse { */ subject_type: string; /** - * + * * @type {string} * @memberof OauthClientResponse */ token_endpoint_auth_method: string; /** - * + * * @type {string} * @memberof OauthClientResponse */ @@ -4412,14 +4412,14 @@ export interface OauthClientResponse { */ updated_at: string; /** - * JWS alg algorithm [JWA] REQUIRED for signing UserInfo Responses. + * JWS alg algorithm [JWA] REQUIRED for signing UserInfo Responses. * @type {string} * @memberof OauthClientResponse */ userinfo_signed_response_alg: string; } /** - * + * * @export * @interface OauthConfigResponse */ @@ -4498,44 +4498,44 @@ export interface OauthConfigResponse { jwksEndpoint: string; } /** - * + * * @export * @interface OidcContextResponse */ export interface OidcContextResponse { /** - * + * * @type {Array} * @memberof OidcContextResponse */ acr_values: Array; /** - * + * * @type {string} * @memberof OidcContextResponse */ display: string; /** - * + * * @type {object} * @memberof OidcContextResponse */ id_token_hint_claims: object; /** - * + * * @type {string} * @memberof OidcContextResponse */ login_hint: string; /** - * + * * @type {Array} * @memberof OidcContextResponse */ ui_locales: Array; } /** - * + * * @export * @interface PatchGroupParams */ @@ -4548,7 +4548,7 @@ export interface PatchGroupParams { title: string; } /** - * + * * @export * @interface PatchMyAccountParams */ @@ -4585,7 +4585,7 @@ export interface PatchMyAccountParams { lastName?: string | null; } /** - * + * * @export * @interface PatchMyPasswordParams */ @@ -4604,7 +4604,7 @@ export interface PatchMyPasswordParams { confirmPassword: string; } /** - * + * * @export * @interface PatchOrderParams */ @@ -4617,7 +4617,7 @@ export interface PatchOrderParams { elements: Array; } /** - * + * * @export * @interface PatchVisibilityParams */ @@ -4630,45 +4630,45 @@ export interface PatchVisibilityParams { visibility: boolean; } /** - * + * * @export * @interface PseudonymResponse */ export interface PseudonymResponse { /** - * + * * @type {string} * @memberof PseudonymResponse */ id: string; /** - * + * * @type {string} * @memberof PseudonymResponse */ toolId: string; /** - * + * * @type {string} * @memberof PseudonymResponse */ userId: string; } /** - * + * * @export * @interface PublicSystemListResponse */ export interface PublicSystemListResponse { /** - * + * * @type {Array} * @memberof PublicSystemListResponse */ data: Array; } /** - * + * * @export * @interface PublicSystemResponse */ @@ -4705,7 +4705,7 @@ export interface PublicSystemResponse { oauthConfig?: OauthConfigResponse | null; } /** - * + * * @export * @interface RedirectResponse */ @@ -4718,75 +4718,75 @@ export interface RedirectResponse { redirect_to: string; } /** - * + * * @export * @interface RenameBodyParams */ export interface RenameBodyParams { /** - * + * * @type {string} * @memberof RenameBodyParams */ title: string; } /** - * + * * @export * @interface ResolvedUserResponse */ export interface ResolvedUserResponse { /** - * + * * @type {string} * @memberof ResolvedUserResponse */ firstName: string; /** - * + * * @type {string} * @memberof ResolvedUserResponse */ lastName: string; /** - * + * * @type {string} * @memberof ResolvedUserResponse */ id: string; /** - * + * * @type {string} * @memberof ResolvedUserResponse */ createdAt: string; /** - * + * * @type {string} * @memberof ResolvedUserResponse */ updatedAt: string; /** - * + * * @type {Array} * @memberof ResolvedUserResponse */ roles: Array; /** - * + * * @type {Array} * @memberof ResolvedUserResponse */ permissions: Array; /** - * + * * @type {string} * @memberof ResolvedUserResponse */ schoolId: string; } /** - * + * * @export * @interface RichText */ @@ -4817,108 +4817,108 @@ export enum RichTextTypeEnum { } /** - * + * * @export * @interface RichTextContentBody */ export interface RichTextContentBody { /** - * + * * @type {string} * @memberof RichTextContentBody */ text: string; /** - * + * * @type {string} * @memberof RichTextContentBody */ inputFormat: string; } /** - * + * * @export * @interface RichTextElementContent */ export interface RichTextElementContent { /** - * + * * @type {string} * @memberof RichTextElementContent */ text: string; /** - * + * * @type {string} * @memberof RichTextElementContent */ inputFormat: string; } /** - * + * * @export * @interface RichTextElementContentBody */ export interface RichTextElementContentBody { /** - * + * * @type {ContentElementType} * @memberof RichTextElementContentBody */ type: ContentElementType; /** - * + * * @type {RichTextContentBody} * @memberof RichTextElementContentBody */ content: RichTextContentBody; } /** - * + * * @export * @interface RichTextElementResponse */ export interface RichTextElementResponse { /** - * + * * @type {string} * @memberof RichTextElementResponse */ id: string; /** - * + * * @type {ContentElementType} * @memberof RichTextElementResponse */ type: ContentElementType; /** - * + * * @type {RichTextElementContent} * @memberof RichTextElementResponse */ content: RichTextElementContent; /** - * + * * @type {TimestampsResponse} * @memberof RichTextElementResponse */ timestamps: TimestampsResponse; } /** - * + * * @export * @interface SchoolExistsResponse */ export interface SchoolExistsResponse { /** - * + * * @type {boolean} * @memberof SchoolExistsResponse */ exists: boolean; } /** - * + * * @export * @interface SchoolExternalToolConfigurationStatusResponse */ @@ -4937,88 +4937,88 @@ export interface SchoolExternalToolConfigurationStatusResponse { isDeactivated: boolean; } /** - * + * * @export * @interface SchoolExternalToolConfigurationTemplateListResponse */ export interface SchoolExternalToolConfigurationTemplateListResponse { /** - * + * * @type {Array} * @memberof SchoolExternalToolConfigurationTemplateListResponse */ data: Array; } /** - * + * * @export * @interface SchoolExternalToolConfigurationTemplateResponse */ export interface SchoolExternalToolConfigurationTemplateResponse { /** - * + * * @type {string} * @memberof SchoolExternalToolConfigurationTemplateResponse */ externalToolId: string; /** - * + * * @type {string} * @memberof SchoolExternalToolConfigurationTemplateResponse */ name: string; /** - * + * * @type {string} * @memberof SchoolExternalToolConfigurationTemplateResponse */ logoUrl?: string; /** - * + * * @type {Array} * @memberof SchoolExternalToolConfigurationTemplateResponse */ parameters: Array; /** - * + * * @type {number} * @memberof SchoolExternalToolConfigurationTemplateResponse */ version: number; } /** - * + * * @export * @interface SchoolExternalToolMetadataResponse */ export interface SchoolExternalToolMetadataResponse { /** - * + * * @type {ContextExternalToolCountPerContextResponse} * @memberof SchoolExternalToolMetadataResponse */ contextExternalToolCountPerContext: ContextExternalToolCountPerContextResponse; } /** - * + * * @export * @interface SchoolExternalToolPostParams */ export interface SchoolExternalToolPostParams { /** - * + * * @type {string} * @memberof SchoolExternalToolPostParams */ toolId: string; /** - * + * * @type {string} * @memberof SchoolExternalToolPostParams */ schoolId: string; /** - * + * * @type {Array} * @memberof SchoolExternalToolPostParams */ @@ -5030,82 +5030,82 @@ export interface SchoolExternalToolPostParams { */ isDeactivated: boolean; /** - * + * * @type {number} * @memberof SchoolExternalToolPostParams */ version: number; } /** - * + * * @export * @interface SchoolExternalToolResponse */ export interface SchoolExternalToolResponse { /** - * + * * @type {string} * @memberof SchoolExternalToolResponse */ id: string; /** - * + * * @type {string} * @memberof SchoolExternalToolResponse */ name: string; /** - * + * * @type {string} * @memberof SchoolExternalToolResponse */ toolId: string; /** - * + * * @type {string} * @memberof SchoolExternalToolResponse */ schoolId: string; /** - * + * * @type {Array} * @memberof SchoolExternalToolResponse */ parameters: Array; /** - * + * * @type {number} * @memberof SchoolExternalToolResponse */ toolVersion: number; /** - * + * * @type {SchoolExternalToolConfigurationStatusResponse} * @memberof SchoolExternalToolResponse */ status: SchoolExternalToolConfigurationStatusResponse; /** - * + * * @type {string} * @memberof SchoolExternalToolResponse */ logoUrl?: string; } /** - * + * * @export * @interface SchoolExternalToolSearchListResponse */ export interface SchoolExternalToolSearchListResponse { /** - * + * * @type {Array} * @memberof SchoolExternalToolSearchListResponse */ data: Array; } /** - * + * * @export * @enum {string} */ @@ -5121,51 +5121,51 @@ export enum SchoolFeature { } /** - * + * * @export * @interface SchoolForExternalInviteResponse */ export interface SchoolForExternalInviteResponse { /** - * + * * @type {string} * @memberof SchoolForExternalInviteResponse */ id: string; /** - * + * * @type {string} * @memberof SchoolForExternalInviteResponse */ name: string; } /** - * + * * @export * @interface SchoolForLdapLoginResponse */ export interface SchoolForLdapLoginResponse { /** - * + * * @type {string} * @memberof SchoolForLdapLoginResponse */ id: string; /** - * + * * @type {string} * @memberof SchoolForLdapLoginResponse */ name: string; /** - * + * * @type {Array} * @memberof SchoolForLdapLoginResponse */ systems: Array; } /** - * + * * @export * @interface SchoolInfoResponse */ @@ -5184,45 +5184,45 @@ export interface SchoolInfoResponse { name: string; } /** - * + * * @export * @interface SchoolLogo */ export interface SchoolLogo { /** - * + * * @type {string} * @memberof SchoolLogo */ dataUrl?: string; /** - * + * * @type {string} * @memberof SchoolLogo */ name?: string; } /** - * + * * @export * @interface SchoolPermissionsParams */ export interface SchoolPermissionsParams { /** - * + * * @type {TeacherPermissionParams} * @memberof SchoolPermissionsParams */ teacher?: TeacherPermissionParams; /** - * + * * @type {StudentPermissionParams} * @memberof SchoolPermissionsParams */ student?: StudentPermissionParams; } /** - * + * * @export * @enum {string} */ @@ -5235,194 +5235,194 @@ export enum SchoolPurpose { } /** - * + * * @export * @interface SchoolResponse */ export interface SchoolResponse { /** - * + * * @type {string} * @memberof SchoolResponse */ id: string; /** - * + * * @type {string} * @memberof SchoolResponse */ createdAt: string; /** - * + * * @type {string} * @memberof SchoolResponse */ updatedAt: string; /** - * + * * @type {string} * @memberof SchoolResponse */ name: string; /** - * + * * @type {string} * @memberof SchoolResponse */ officialSchoolNumber?: string; /** - * + * * @type {SchoolYearResponse} * @memberof SchoolResponse */ currentYear?: SchoolYearResponse; /** - * + * * @type {FederalStateResponse} * @memberof SchoolResponse */ federalState: FederalStateResponse; /** - * + * * @type {CountyResponse} * @memberof SchoolResponse */ county?: CountyResponse; /** - * + * * @type {SchoolPurpose} * @memberof SchoolResponse */ purpose?: SchoolPurpose; /** - * + * * @type {Array} * @memberof SchoolResponse */ features: Array; /** - * + * * @type {Array} * @memberof SchoolResponse */ systemIds: Array; /** - * + * * @type {boolean} * @memberof SchoolResponse */ inUserMigration?: boolean; /** - * + * * @type {boolean} * @memberof SchoolResponse */ inMaintenance: boolean; /** - * + * * @type {boolean} * @memberof SchoolResponse */ isExternal: boolean; /** - * + * * @type {SchoolLogo} * @memberof SchoolResponse */ logo?: SchoolLogo; /** - * + * * @type {FileStorageType} * @memberof SchoolResponse */ fileStorageType?: FileStorageType; /** - * + * * @type {string} * @memberof SchoolResponse */ language?: string; /** - * + * * @type {string} * @memberof SchoolResponse */ timezone?: string; /** - * + * * @type {object} * @memberof SchoolResponse */ permissions?: object; /** - * + * * @type {YearsResponse} * @memberof SchoolResponse */ years: YearsResponse; /** - * + * * @type {Array} * @memberof SchoolResponse */ instanceFeatures: Array; } /** - * + * * @export * @interface SchoolUpdateBodyParams */ export interface SchoolUpdateBodyParams { /** - * + * * @type {string} * @memberof SchoolUpdateBodyParams */ name?: string; /** - * + * * @type {string} * @memberof SchoolUpdateBodyParams */ officialSchoolNumber?: string; /** - * + * * @type {SchoolLogo} * @memberof SchoolUpdateBodyParams */ logo?: SchoolLogo; /** - * + * * @type {string} * @memberof SchoolUpdateBodyParams */ fileStorageType?: SchoolUpdateBodyParamsFileStorageTypeEnum; /** - * + * * @type {string} * @memberof SchoolUpdateBodyParams */ language?: SchoolUpdateBodyParamsLanguageEnum; /** - * + * * @type {Array} * @memberof SchoolUpdateBodyParams */ features?: Array; /** - * + * * @type {SchoolPermissionsParams} * @memberof SchoolUpdateBodyParams */ permissions?: SchoolPermissionsParams; /** - * + * * @type {string} * @memberof SchoolUpdateBodyParams */ countyId?: string; /** - * + * * @type {boolean} * @memberof SchoolUpdateBodyParams */ @@ -5448,7 +5448,7 @@ export enum SchoolUpdateBodyParamsLanguageEnum { } /** - * + * * @export * @enum {string} */ @@ -5459,101 +5459,101 @@ export enum SchoolYearQueryType { } /** - * + * * @export * @interface SchoolYearResponse */ export interface SchoolYearResponse { /** - * + * * @type {string} * @memberof SchoolYearResponse */ id: string; /** - * + * * @type {string} * @memberof SchoolYearResponse */ name: string; /** - * + * * @type {string} * @memberof SchoolYearResponse */ startDate: string; /** - * + * * @type {string} * @memberof SchoolYearResponse */ endDate: string; } /** - * + * * @export * @interface SchulConneXProvisioningOptionsParams */ export interface SchulConneXProvisioningOptionsParams { /** - * + * * @type {boolean} * @memberof SchulConneXProvisioningOptionsParams */ groupProvisioningClassesEnabled: boolean; /** - * + * * @type {boolean} * @memberof SchulConneXProvisioningOptionsParams */ groupProvisioningCoursesEnabled: boolean; /** - * + * * @type {boolean} * @memberof SchulConneXProvisioningOptionsParams */ groupProvisioningOtherEnabled: boolean; } /** - * + * * @export * @interface SchulConneXProvisioningOptionsResponse */ export interface SchulConneXProvisioningOptionsResponse { /** - * + * * @type {boolean} * @memberof SchulConneXProvisioningOptionsResponse */ groupProvisioningClassesEnabled: boolean; /** - * + * * @type {boolean} * @memberof SchulConneXProvisioningOptionsResponse */ groupProvisioningCoursesEnabled: boolean; /** - * + * * @type {boolean} * @memberof SchulConneXProvisioningOptionsResponse */ groupProvisioningOtherEnabled: boolean; } /** - * + * * @export * @interface SetHeightBodyParams */ export interface SetHeightBodyParams { /** - * + * * @type {number} * @memberof SetHeightBodyParams */ height: number; } /** - * + * * @export * @interface ShareTokenBodyParams */ @@ -5595,7 +5595,7 @@ export enum ShareTokenBodyParamsParentTypeEnum { } /** - * + * * @export * @interface ShareTokenImportBodyParams */ @@ -5614,25 +5614,25 @@ export interface ShareTokenImportBodyParams { destinationCourseId?: string | null; } /** - * + * * @export * @interface ShareTokenInfoResponse */ export interface ShareTokenInfoResponse { /** - * + * * @type {string} * @memberof ShareTokenInfoResponse */ token: string; /** - * + * * @type {string} * @memberof ShareTokenInfoResponse */ parentType: ShareTokenInfoResponseParentTypeEnum; /** - * + * * @type {string} * @memberof ShareTokenInfoResponse */ @@ -5650,19 +5650,19 @@ export enum ShareTokenInfoResponseParentTypeEnum { } /** - * + * * @export * @interface ShareTokenPayloadResponse */ export interface ShareTokenPayloadResponse { /** - * + * * @type {string} * @memberof ShareTokenPayloadResponse */ parentType: ShareTokenPayloadResponseParentTypeEnum; /** - * + * * @type {string} * @memberof ShareTokenPayloadResponse */ @@ -5680,32 +5680,32 @@ export enum ShareTokenPayloadResponseParentTypeEnum { } /** - * + * * @export * @interface ShareTokenResponse */ export interface ShareTokenResponse { /** - * + * * @type {string} * @memberof ShareTokenResponse */ token: string; /** - * + * * @type {ShareTokenPayloadResponse} * @memberof ShareTokenResponse */ payload: ShareTokenPayloadResponse; /** - * + * * @type {string} * @memberof ShareTokenResponse */ expiresAt?: string; } /** - * + * * @export * @interface SingleColumnBoardResponse */ @@ -5742,20 +5742,20 @@ export interface SingleColumnBoardResponse { isArchived: boolean; } /** - * + * * @export * @interface StudentPermissionParams */ export interface StudentPermissionParams { /** - * + * * @type {boolean} * @memberof StudentPermissionParams */ LERNSTORE_VIEW?: boolean; } /** - * + * * @export * @interface SubmissionContainerContentBody */ @@ -5768,7 +5768,7 @@ export interface SubmissionContainerContentBody { dueDate?: string; } /** - * + * * @export * @interface SubmissionContainerElementContent */ @@ -5781,207 +5781,207 @@ export interface SubmissionContainerElementContent { dueDate: string; } /** - * + * * @export * @interface SubmissionContainerElementContentBody */ export interface SubmissionContainerElementContentBody { /** - * + * * @type {ContentElementType} * @memberof SubmissionContainerElementContentBody */ type: ContentElementType; /** - * + * * @type {SubmissionContainerContentBody} * @memberof SubmissionContainerElementContentBody */ content: SubmissionContainerContentBody; } /** - * + * * @export * @interface SubmissionContainerElementResponse */ export interface SubmissionContainerElementResponse { /** - * + * * @type {string} * @memberof SubmissionContainerElementResponse */ id: string; /** - * + * * @type {ContentElementType} * @memberof SubmissionContainerElementResponse */ type: ContentElementType; /** - * + * * @type {SubmissionContainerElementContent} * @memberof SubmissionContainerElementResponse */ content: SubmissionContainerElementContent; /** - * + * * @type {TimestampsResponse} * @memberof SubmissionContainerElementResponse */ timestamps: TimestampsResponse; } /** - * + * * @export * @interface SubmissionItemResponse */ export interface SubmissionItemResponse { /** - * + * * @type {string} * @memberof SubmissionItemResponse */ id: string; /** - * + * * @type {TimestampsResponse} * @memberof SubmissionItemResponse */ timestamps: TimestampsResponse; /** - * + * * @type {boolean} * @memberof SubmissionItemResponse */ completed: boolean; /** - * + * * @type {string} * @memberof SubmissionItemResponse */ userId: string; /** - * + * * @type {Array} * @memberof SubmissionItemResponse */ elements: Array; } /** - * + * * @export * @interface SubmissionStatusListResponse */ export interface SubmissionStatusListResponse { /** - * + * * @type {Array} * @memberof SubmissionStatusListResponse */ data: Array; } /** - * + * * @export * @interface SubmissionStatusResponse */ export interface SubmissionStatusResponse { /** - * + * * @type {string} * @memberof SubmissionStatusResponse */ id: string; /** - * + * * @type {Array} * @memberof SubmissionStatusResponse */ submitters: Array; /** - * + * * @type {boolean} * @memberof SubmissionStatusResponse */ isSubmitted: boolean; /** - * + * * @type {number} * @memberof SubmissionStatusResponse */ grade?: number; /** - * + * * @type {boolean} * @memberof SubmissionStatusResponse */ isGraded: boolean; /** - * + * * @type {string} * @memberof SubmissionStatusResponse */ submittingCourseGroupName?: string; } /** - * + * * @export * @interface SubmissionsResponse */ export interface SubmissionsResponse { /** - * + * * @type {Array} * @memberof SubmissionsResponse */ submissionItemsResponse: Array; /** - * + * * @type {Array} * @memberof SubmissionsResponse */ users: Array; } /** - * + * * @export * @interface SuccessfulResponse */ export interface SuccessfulResponse { /** - * + * * @type {boolean} * @memberof SuccessfulResponse */ successful: boolean; } /** - * + * * @export * @interface SystemForLdapLoginResponse */ export interface SystemForLdapLoginResponse { /** - * + * * @type {string} * @memberof SystemForLdapLoginResponse */ id: string; /** - * + * * @type {string} * @memberof SystemForLdapLoginResponse */ type: string; /** - * + * * @type {string} * @memberof SystemForLdapLoginResponse */ alias: string; } /** - * + * * @export * @interface TargetInfoResponse */ @@ -6000,7 +6000,7 @@ export interface TargetInfoResponse { name: string; } /** - * + * * @export * @interface TaskCopyApiParams */ @@ -6019,7 +6019,7 @@ export interface TaskCopyApiParams { lessonId?: string; } /** - * + * * @export * @interface TaskListResponse */ @@ -6050,49 +6050,49 @@ export interface TaskListResponse { limit: number; } /** - * + * * @export * @interface TaskResponse */ export interface TaskResponse { /** - * + * * @type {string} * @memberof TaskResponse */ id: string; /** - * + * * @type {string} * @memberof TaskResponse */ name: string; /** - * + * * @type {string} * @memberof TaskResponse */ availableDate?: string; /** - * + * * @type {string} * @memberof TaskResponse */ dueDate?: string; /** - * + * * @type {string} * @memberof TaskResponse */ courseName: string; /** - * + * * @type {string} * @memberof TaskResponse */ lessonName?: string; /** - * + * * @type {string} * @memberof TaskResponse */ @@ -6104,156 +6104,156 @@ export interface TaskResponse { */ description?: RichText; /** - * + * * @type {boolean} * @memberof TaskResponse */ lessonHidden: boolean; /** - * + * * @type {string} * @memberof TaskResponse */ displayColor?: string; /** - * + * * @type {string} * @memberof TaskResponse */ createdAt: string; /** - * + * * @type {string} * @memberof TaskResponse */ updatedAt: string; /** - * + * * @type {TaskStatusResponse} * @memberof TaskResponse */ status: TaskStatusResponse; } /** - * + * * @export * @interface TaskStatusResponse */ export interface TaskStatusResponse { /** - * + * * @type {number} * @memberof TaskStatusResponse */ submitted: number; /** - * + * * @type {number} * @memberof TaskStatusResponse */ maxSubmissions: number; /** - * + * * @type {number} * @memberof TaskStatusResponse */ graded: number; /** - * + * * @type {boolean} * @memberof TaskStatusResponse */ isDraft: boolean; /** - * + * * @type {boolean} * @memberof TaskStatusResponse */ isSubstitutionTeacher: boolean; /** - * + * * @type {boolean} * @memberof TaskStatusResponse */ isFinished: boolean; } /** - * + * * @export * @interface TeacherPermissionParams */ export interface TeacherPermissionParams { /** - * + * * @type {boolean} * @memberof TeacherPermissionParams */ STUDENT_LIST?: boolean; } /** - * + * * @export * @interface TeamPermissionsBody */ export interface TeamPermissionsBody { /** - * + * * @type {boolean} * @memberof TeamPermissionsBody */ read: boolean; /** - * + * * @type {boolean} * @memberof TeamPermissionsBody */ write: boolean; /** - * + * * @type {boolean} * @memberof TeamPermissionsBody */ create: boolean; /** - * + * * @type {boolean} * @memberof TeamPermissionsBody */ _delete: boolean; /** - * + * * @type {boolean} * @memberof TeamPermissionsBody */ share: boolean; } /** - * + * * @export * @interface TimestampsResponse */ export interface TimestampsResponse { /** - * + * * @type {string} * @memberof TimestampsResponse */ lastUpdatedAt: string; /** - * + * * @type {string} * @memberof TimestampsResponse */ createdAt: string; /** - * + * * @type {string} * @memberof TimestampsResponse */ deletedAt?: string; } /** - * + * * @export * @enum {string} */ @@ -6263,20 +6263,20 @@ export enum ToolContextType { } /** - * + * * @export * @interface ToolContextTypesListResponse */ export interface ToolContextTypesListResponse { /** - * + * * @type {Array} * @memberof ToolContextTypesListResponse */ data: Array; } /** - * + * * @export * @interface ToolLaunchRequestResponse */ @@ -6317,20 +6317,20 @@ export enum ToolLaunchRequestResponseMethodEnum { } /** - * + * * @export * @interface ToolReferenceListResponse */ export interface ToolReferenceListResponse { /** - * + * * @type {Array} * @memberof ToolReferenceListResponse */ data: Array; } /** - * + * * @export * @interface ToolReferenceResponse */ @@ -6367,33 +6367,33 @@ export interface ToolReferenceResponse { status: ContextExternalToolConfigurationStatusResponse; } /** - * + * * @export * @interface UpdateBoardTitleParams */ export interface UpdateBoardTitleParams { /** - * + * * @type {string} * @memberof UpdateBoardTitleParams */ title: string; } /** - * + * * @export * @interface UpdateElementContentBodyParams */ export interface UpdateElementContentBodyParams { /** - * + * * @type {FileElementContentBody | LinkElementContentBody | RichTextElementContentBody | SubmissionContainerElementContentBody | ExternalToolElementContentBody | DrawingElementContentBody} * @memberof UpdateElementContentBodyParams */ data: FileElementContentBody | LinkElementContentBody | RichTextElementContentBody | SubmissionContainerElementContentBody | ExternalToolElementContentBody | DrawingElementContentBody; } /** - * + * * @export * @interface UpdateFlagParams */ @@ -6406,7 +6406,7 @@ export interface UpdateFlagParams { flagged: boolean; } /** - * + * * @export * @interface UpdateMatchParams */ @@ -6419,7 +6419,7 @@ export interface UpdateMatchParams { userId: string; } /** - * + * * @export * @interface UpdateNewsParams */ @@ -6444,7 +6444,7 @@ export interface UpdateNewsParams { displayAt?: string; } /** - * + * * @export * @interface UpdateSubmissionItemBodyParams */ @@ -6457,32 +6457,32 @@ export interface UpdateSubmissionItemBodyParams { completed: boolean; } /** - * + * * @export * @interface UserDataResponse */ export interface UserDataResponse { /** - * + * * @type {string} * @memberof UserDataResponse */ firstName: string; /** - * + * * @type {string} * @memberof UserDataResponse */ lastName: string; /** - * + * * @type {string} * @memberof UserDataResponse */ userId: string; } /** - * + * * @export * @interface UserInfoResponse */ @@ -6507,20 +6507,20 @@ export interface UserInfoResponse { lastName?: string; } /** - * + * * @export * @interface UserLoginMigrationMandatoryParams */ export interface UserLoginMigrationMandatoryParams { /** - * + * * @type {boolean} * @memberof UserLoginMigrationMandatoryParams */ mandatory: boolean; } /** - * + * * @export * @interface UserLoginMigrationResponse */ @@ -6569,7 +6569,7 @@ export interface UserLoginMigrationResponse { finishedAt?: string; } /** - * + * * @export * @interface UserLoginMigrationSearchListResponse */ @@ -6600,7 +6600,7 @@ export interface UserLoginMigrationSearchListResponse { limit: number; } /** - * + * * @export * @interface UserMatchListResponse */ @@ -6631,7 +6631,7 @@ export interface UserMatchListResponse { limit: number; } /** - * + * * @export * @interface UserMatchResponse */ @@ -6693,7 +6693,7 @@ export enum UserMatchResponseMatchedByEnum { } /** - * + * * @export * @interface ValidationError */ @@ -6730,25 +6730,25 @@ export interface ValidationError { details?: object; } /** - * + * * @export * @interface VideoConferenceCreateParams */ export interface VideoConferenceCreateParams { /** - * + * * @type {boolean} * @memberof VideoConferenceCreateParams */ everyAttendeeJoinsMuted?: boolean; /** - * + * * @type {boolean} * @memberof VideoConferenceCreateParams */ everybodyJoinsAsModerator?: boolean; /** - * + * * @type {boolean} * @memberof VideoConferenceCreateParams */ @@ -6761,13 +6761,13 @@ export interface VideoConferenceCreateParams { logoutUrl?: string; } /** - * + * * @export * @interface VideoConferenceInfoResponse */ export interface VideoConferenceInfoResponse { /** - * + * * @type {VideoConferenceStateResponse} * @memberof VideoConferenceInfoResponse */ @@ -6780,7 +6780,7 @@ export interface VideoConferenceInfoResponse { options: VideoConferenceOptionsResponse; } /** - * + * * @export * @interface VideoConferenceJoinResponse */ @@ -6793,7 +6793,7 @@ export interface VideoConferenceJoinResponse { url: string; } /** - * + * * @export * @interface VideoConferenceOptionsResponse */ @@ -6818,7 +6818,7 @@ export interface VideoConferenceOptionsResponse { moderatorMustApproveJoinRequests: boolean; } /** - * + * * @export * @enum {string} */ @@ -6828,7 +6828,7 @@ export enum VideoConferenceScope { } /** - * + * * @export * @enum {string} */ @@ -6839,57 +6839,57 @@ export enum VideoConferenceStateResponse { } /** - * + * * @export * @interface VisibilityBodyParams */ export interface VisibilityBodyParams { /** - * + * * @type {boolean} * @memberof VisibilityBodyParams */ isVisible: boolean; } /** - * + * * @export * @interface VisibilitySettingsResponse */ export interface VisibilitySettingsResponse { /** - * + * * @type {string} * @memberof VisibilitySettingsResponse */ publishedAt?: string; } /** - * + * * @export * @interface YearsResponse */ export interface YearsResponse { /** - * + * * @type {Array} * @memberof YearsResponse */ schoolYears: Array; /** - * + * * @type {SchoolYearResponse} * @memberof YearsResponse */ activeYear: SchoolYearResponse; /** - * + * * @type {SchoolYearResponse} * @memberof YearsResponse */ lastYear: SchoolYearResponse; /** - * + * * @type {SchoolYearResponse} * @memberof YearsResponse */ @@ -6903,7 +6903,7 @@ export interface YearsResponse { export const AccountApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @summary Deletes an account with given id. Superhero role is REQUIRED. * @param {string} id The id for the account. * @param {*} [options] Override http request option. @@ -6930,7 +6930,7 @@ export const AccountApiAxiosParamCreator = function (configuration?: Configurati await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -6941,7 +6941,7 @@ export const AccountApiAxiosParamCreator = function (configuration?: Configurati }; }, /** - * + * * @summary Returns an account with given id. Superhero role is REQUIRED. * @param {string} id The id for the account. * @param {*} [options] Override http request option. @@ -6968,7 +6968,7 @@ export const AccountApiAxiosParamCreator = function (configuration?: Configurati await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -6979,9 +6979,9 @@ export const AccountApiAxiosParamCreator = function (configuration?: Configurati }; }, /** - * + * * @summary Updates the the temporary account password for the authenticated user. - * @param {PatchMyPasswordParams} patchMyPasswordParams + * @param {PatchMyPasswordParams} patchMyPasswordParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7005,7 +7005,7 @@ export const AccountApiAxiosParamCreator = function (configuration?: Configurati await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -7019,7 +7019,7 @@ export const AccountApiAxiosParamCreator = function (configuration?: Configurati }; }, /** - * + * * @summary Returns all accounts which satisfies the given criteria. For unlimited access Superhero role is REQUIRED. * @param {'userId' | 'username'} type The search criteria. * @param {string} value The search value. @@ -7066,7 +7066,7 @@ export const AccountApiAxiosParamCreator = function (configuration?: Configurati } - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -7077,10 +7077,10 @@ export const AccountApiAxiosParamCreator = function (configuration?: Configurati }; }, /** - * + * * @summary Updates an account with given id. Superhero role is REQUIRED. * @param {string} id The id for the account. - * @param {AccountByIdBodyParams} accountByIdBodyParams + * @param {AccountByIdBodyParams} accountByIdBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7107,7 +7107,7 @@ export const AccountApiAxiosParamCreator = function (configuration?: Configurati await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -7121,9 +7121,9 @@ export const AccountApiAxiosParamCreator = function (configuration?: Configurati }; }, /** - * + * * @summary Updates an account for the authenticated user. - * @param {PatchMyAccountParams} patchMyAccountParams + * @param {PatchMyAccountParams} patchMyAccountParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7147,7 +7147,7 @@ export const AccountApiAxiosParamCreator = function (configuration?: Configurati await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -7171,7 +7171,7 @@ export const AccountApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = AccountApiAxiosParamCreator(configuration) return { /** - * + * * @summary Deletes an account with given id. Superhero role is REQUIRED. * @param {string} id The id for the account. * @param {*} [options] Override http request option. @@ -7182,7 +7182,7 @@ export const AccountApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Returns an account with given id. Superhero role is REQUIRED. * @param {string} id The id for the account. * @param {*} [options] Override http request option. @@ -7193,9 +7193,9 @@ export const AccountApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Updates the the temporary account password for the authenticated user. - * @param {PatchMyPasswordParams} patchMyPasswordParams + * @param {PatchMyPasswordParams} patchMyPasswordParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7204,7 +7204,7 @@ export const AccountApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Returns all accounts which satisfies the given criteria. For unlimited access Superhero role is REQUIRED. * @param {'userId' | 'username'} type The search criteria. * @param {string} value The search value. @@ -7218,10 +7218,10 @@ export const AccountApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Updates an account with given id. Superhero role is REQUIRED. * @param {string} id The id for the account. - * @param {AccountByIdBodyParams} accountByIdBodyParams + * @param {AccountByIdBodyParams} accountByIdBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7230,9 +7230,9 @@ export const AccountApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Updates an account for the authenticated user. - * @param {PatchMyAccountParams} patchMyAccountParams + * @param {PatchMyAccountParams} patchMyAccountParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7251,7 +7251,7 @@ export const AccountApiFactory = function (configuration?: Configuration, basePa const localVarFp = AccountApiFp(configuration) return { /** - * + * * @summary Deletes an account with given id. Superhero role is REQUIRED. * @param {string} id The id for the account. * @param {*} [options] Override http request option. @@ -7261,7 +7261,7 @@ export const AccountApiFactory = function (configuration?: Configuration, basePa return localVarFp.accountControllerDeleteAccountById(id, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Returns an account with given id. Superhero role is REQUIRED. * @param {string} id The id for the account. * @param {*} [options] Override http request option. @@ -7271,9 +7271,9 @@ export const AccountApiFactory = function (configuration?: Configuration, basePa return localVarFp.accountControllerFindAccountById(id, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Updates the the temporary account password for the authenticated user. - * @param {PatchMyPasswordParams} patchMyPasswordParams + * @param {PatchMyPasswordParams} patchMyPasswordParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7281,7 +7281,7 @@ export const AccountApiFactory = function (configuration?: Configuration, basePa return localVarFp.accountControllerReplaceMyPassword(patchMyPasswordParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Returns all accounts which satisfies the given criteria. For unlimited access Superhero role is REQUIRED. * @param {'userId' | 'username'} type The search criteria. * @param {string} value The search value. @@ -7294,10 +7294,10 @@ export const AccountApiFactory = function (configuration?: Configuration, basePa return localVarFp.accountControllerSearchAccounts(type, value, skip, limit, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Updates an account with given id. Superhero role is REQUIRED. * @param {string} id The id for the account. - * @param {AccountByIdBodyParams} accountByIdBodyParams + * @param {AccountByIdBodyParams} accountByIdBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7305,9 +7305,9 @@ export const AccountApiFactory = function (configuration?: Configuration, basePa return localVarFp.accountControllerUpdateAccountById(id, accountByIdBodyParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Updates an account for the authenticated user. - * @param {PatchMyAccountParams} patchMyAccountParams + * @param {PatchMyAccountParams} patchMyAccountParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7324,7 +7324,7 @@ export const AccountApiFactory = function (configuration?: Configuration, basePa */ export interface AccountApiInterface { /** - * + * * @summary Deletes an account with given id. Superhero role is REQUIRED. * @param {string} id The id for the account. * @param {*} [options] Override http request option. @@ -7334,7 +7334,7 @@ export interface AccountApiInterface { accountControllerDeleteAccountById(id: string, options?: any): AxiosPromise; /** - * + * * @summary Returns an account with given id. Superhero role is REQUIRED. * @param {string} id The id for the account. * @param {*} [options] Override http request option. @@ -7344,9 +7344,9 @@ export interface AccountApiInterface { accountControllerFindAccountById(id: string, options?: any): AxiosPromise; /** - * + * * @summary Updates the the temporary account password for the authenticated user. - * @param {PatchMyPasswordParams} patchMyPasswordParams + * @param {PatchMyPasswordParams} patchMyPasswordParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof AccountApiInterface @@ -7354,7 +7354,7 @@ export interface AccountApiInterface { accountControllerReplaceMyPassword(patchMyPasswordParams: PatchMyPasswordParams, options?: any): AxiosPromise; /** - * + * * @summary Returns all accounts which satisfies the given criteria. For unlimited access Superhero role is REQUIRED. * @param {'userId' | 'username'} type The search criteria. * @param {string} value The search value. @@ -7367,10 +7367,10 @@ export interface AccountApiInterface { accountControllerSearchAccounts(type: 'userId' | 'username', value: string, skip?: number, limit?: number, options?: any): AxiosPromise; /** - * + * * @summary Updates an account with given id. Superhero role is REQUIRED. * @param {string} id The id for the account. - * @param {AccountByIdBodyParams} accountByIdBodyParams + * @param {AccountByIdBodyParams} accountByIdBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof AccountApiInterface @@ -7378,9 +7378,9 @@ export interface AccountApiInterface { accountControllerUpdateAccountById(id: string, accountByIdBodyParams: AccountByIdBodyParams, options?: any): AxiosPromise; /** - * + * * @summary Updates an account for the authenticated user. - * @param {PatchMyAccountParams} patchMyAccountParams + * @param {PatchMyAccountParams} patchMyAccountParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof AccountApiInterface @@ -7397,7 +7397,7 @@ export interface AccountApiInterface { */ export class AccountApi extends BaseAPI implements AccountApiInterface { /** - * + * * @summary Deletes an account with given id. Superhero role is REQUIRED. * @param {string} id The id for the account. * @param {*} [options] Override http request option. @@ -7409,7 +7409,7 @@ export class AccountApi extends BaseAPI implements AccountApiInterface { } /** - * + * * @summary Returns an account with given id. Superhero role is REQUIRED. * @param {string} id The id for the account. * @param {*} [options] Override http request option. @@ -7421,9 +7421,9 @@ export class AccountApi extends BaseAPI implements AccountApiInterface { } /** - * + * * @summary Updates the the temporary account password for the authenticated user. - * @param {PatchMyPasswordParams} patchMyPasswordParams + * @param {PatchMyPasswordParams} patchMyPasswordParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof AccountApi @@ -7433,7 +7433,7 @@ export class AccountApi extends BaseAPI implements AccountApiInterface { } /** - * + * * @summary Returns all accounts which satisfies the given criteria. For unlimited access Superhero role is REQUIRED. * @param {'userId' | 'username'} type The search criteria. * @param {string} value The search value. @@ -7448,10 +7448,10 @@ export class AccountApi extends BaseAPI implements AccountApiInterface { } /** - * + * * @summary Updates an account with given id. Superhero role is REQUIRED. * @param {string} id The id for the account. - * @param {AccountByIdBodyParams} accountByIdBodyParams + * @param {AccountByIdBodyParams} accountByIdBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof AccountApi @@ -7461,9 +7461,9 @@ export class AccountApi extends BaseAPI implements AccountApiInterface { } /** - * + * * @summary Updates an account for the authenticated user. - * @param {PatchMyAccountParams} patchMyAccountParams + * @param {PatchMyAccountParams} patchMyAccountParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof AccountApi @@ -7481,9 +7481,9 @@ export class AccountApi extends BaseAPI implements AccountApiInterface { export const AuthenticationApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @summary Starts the login process for users which are authenticated via LDAP - * @param {LdapAuthorizationBodyParams} ldapAuthorizationBodyParams + * @param {LdapAuthorizationBodyParams} ldapAuthorizationBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7503,7 +7503,7 @@ export const AuthenticationApiAxiosParamCreator = function (configuration?: Conf const localVarQueryParameter = {} as any; - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -7517,9 +7517,9 @@ export const AuthenticationApiAxiosParamCreator = function (configuration?: Conf }; }, /** - * + * * @summary Starts the login process for users which are locally managed. - * @param {LocalAuthorizationBodyParams} localAuthorizationBodyParams + * @param {LocalAuthorizationBodyParams} localAuthorizationBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7539,7 +7539,7 @@ export const AuthenticationApiAxiosParamCreator = function (configuration?: Conf const localVarQueryParameter = {} as any; - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -7553,9 +7553,9 @@ export const AuthenticationApiAxiosParamCreator = function (configuration?: Conf }; }, /** - * + * * @summary Starts the login process for users which are authenticated via OAuth 2. - * @param {Oauth2AuthorizationBodyParams} oauth2AuthorizationBodyParams + * @param {Oauth2AuthorizationBodyParams} oauth2AuthorizationBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7575,7 +7575,7 @@ export const AuthenticationApiAxiosParamCreator = function (configuration?: Conf const localVarQueryParameter = {} as any; - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -7599,9 +7599,9 @@ export const AuthenticationApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = AuthenticationApiAxiosParamCreator(configuration) return { /** - * + * * @summary Starts the login process for users which are authenticated via LDAP - * @param {LdapAuthorizationBodyParams} ldapAuthorizationBodyParams + * @param {LdapAuthorizationBodyParams} ldapAuthorizationBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7610,9 +7610,9 @@ export const AuthenticationApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Starts the login process for users which are locally managed. - * @param {LocalAuthorizationBodyParams} localAuthorizationBodyParams + * @param {LocalAuthorizationBodyParams} localAuthorizationBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7621,9 +7621,9 @@ export const AuthenticationApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Starts the login process for users which are authenticated via OAuth 2. - * @param {Oauth2AuthorizationBodyParams} oauth2AuthorizationBodyParams + * @param {Oauth2AuthorizationBodyParams} oauth2AuthorizationBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7642,9 +7642,9 @@ export const AuthenticationApiFactory = function (configuration?: Configuration, const localVarFp = AuthenticationApiFp(configuration) return { /** - * + * * @summary Starts the login process for users which are authenticated via LDAP - * @param {LdapAuthorizationBodyParams} ldapAuthorizationBodyParams + * @param {LdapAuthorizationBodyParams} ldapAuthorizationBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7652,9 +7652,9 @@ export const AuthenticationApiFactory = function (configuration?: Configuration, return localVarFp.loginControllerLoginLdap(ldapAuthorizationBodyParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Starts the login process for users which are locally managed. - * @param {LocalAuthorizationBodyParams} localAuthorizationBodyParams + * @param {LocalAuthorizationBodyParams} localAuthorizationBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7662,9 +7662,9 @@ export const AuthenticationApiFactory = function (configuration?: Configuration, return localVarFp.loginControllerLoginLocal(localAuthorizationBodyParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Starts the login process for users which are authenticated via OAuth 2. - * @param {Oauth2AuthorizationBodyParams} oauth2AuthorizationBodyParams + * @param {Oauth2AuthorizationBodyParams} oauth2AuthorizationBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7681,9 +7681,9 @@ export const AuthenticationApiFactory = function (configuration?: Configuration, */ export interface AuthenticationApiInterface { /** - * + * * @summary Starts the login process for users which are authenticated via LDAP - * @param {LdapAuthorizationBodyParams} ldapAuthorizationBodyParams + * @param {LdapAuthorizationBodyParams} ldapAuthorizationBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof AuthenticationApiInterface @@ -7691,9 +7691,9 @@ export interface AuthenticationApiInterface { loginControllerLoginLdap(ldapAuthorizationBodyParams: LdapAuthorizationBodyParams, options?: any): AxiosPromise; /** - * + * * @summary Starts the login process for users which are locally managed. - * @param {LocalAuthorizationBodyParams} localAuthorizationBodyParams + * @param {LocalAuthorizationBodyParams} localAuthorizationBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof AuthenticationApiInterface @@ -7701,9 +7701,9 @@ export interface AuthenticationApiInterface { loginControllerLoginLocal(localAuthorizationBodyParams: LocalAuthorizationBodyParams, options?: any): AxiosPromise; /** - * + * * @summary Starts the login process for users which are authenticated via OAuth 2. - * @param {Oauth2AuthorizationBodyParams} oauth2AuthorizationBodyParams + * @param {Oauth2AuthorizationBodyParams} oauth2AuthorizationBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof AuthenticationApiInterface @@ -7720,9 +7720,9 @@ export interface AuthenticationApiInterface { */ export class AuthenticationApi extends BaseAPI implements AuthenticationApiInterface { /** - * + * * @summary Starts the login process for users which are authenticated via LDAP - * @param {LdapAuthorizationBodyParams} ldapAuthorizationBodyParams + * @param {LdapAuthorizationBodyParams} ldapAuthorizationBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof AuthenticationApi @@ -7732,9 +7732,9 @@ export class AuthenticationApi extends BaseAPI implements AuthenticationApiInter } /** - * + * * @summary Starts the login process for users which are locally managed. - * @param {LocalAuthorizationBodyParams} localAuthorizationBodyParams + * @param {LocalAuthorizationBodyParams} localAuthorizationBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof AuthenticationApi @@ -7744,9 +7744,9 @@ export class AuthenticationApi extends BaseAPI implements AuthenticationApiInter } /** - * + * * @summary Starts the login process for users which are authenticated via OAuth 2. - * @param {Oauth2AuthorizationBodyParams} oauth2AuthorizationBodyParams + * @param {Oauth2AuthorizationBodyParams} oauth2AuthorizationBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof AuthenticationApi @@ -7764,9 +7764,9 @@ export class AuthenticationApi extends BaseAPI implements AuthenticationApiInter export const BoardApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @summary Create a new board. - * @param {CreateBoardBodyParams} createBoardBodyParams + * @param {CreateBoardBodyParams} createBoardBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7790,7 +7790,7 @@ export const BoardApiAxiosParamCreator = function (configuration?: Configuration await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -7804,7 +7804,7 @@ export const BoardApiAxiosParamCreator = function (configuration?: Configuration }; }, /** - * + * * @summary Create a new column on a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -7831,7 +7831,7 @@ export const BoardApiAxiosParamCreator = function (configuration?: Configuration await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -7842,7 +7842,7 @@ export const BoardApiAxiosParamCreator = function (configuration?: Configuration }; }, /** - * + * * @summary Delete a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -7869,7 +7869,7 @@ export const BoardApiAxiosParamCreator = function (configuration?: Configuration await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -7880,7 +7880,7 @@ export const BoardApiAxiosParamCreator = function (configuration?: Configuration }; }, /** - * + * * @summary Get the context of a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -7907,7 +7907,7 @@ export const BoardApiAxiosParamCreator = function (configuration?: Configuration await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -7918,7 +7918,7 @@ export const BoardApiAxiosParamCreator = function (configuration?: Configuration }; }, /** - * + * * @summary Get the skeleton of a a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -7945,7 +7945,7 @@ export const BoardApiAxiosParamCreator = function (configuration?: Configuration await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -7956,10 +7956,10 @@ export const BoardApiAxiosParamCreator = function (configuration?: Configuration }; }, /** - * + * * @summary Update the title of a board. * @param {string} boardId The id of the board. - * @param {UpdateBoardTitleParams} updateBoardTitleParams + * @param {UpdateBoardTitleParams} updateBoardTitleParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -7986,7 +7986,7 @@ export const BoardApiAxiosParamCreator = function (configuration?: Configuration await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -8000,10 +8000,10 @@ export const BoardApiAxiosParamCreator = function (configuration?: Configuration }; }, /** - * + * * @summary Update the visibility of a board. * @param {string} boardId The id of the board. - * @param {VisibilityBodyParams} visibilityBodyParams + * @param {VisibilityBodyParams} visibilityBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8030,7 +8030,7 @@ export const BoardApiAxiosParamCreator = function (configuration?: Configuration await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -8054,9 +8054,9 @@ export const BoardApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = BoardApiAxiosParamCreator(configuration) return { /** - * + * * @summary Create a new board. - * @param {CreateBoardBodyParams} createBoardBodyParams + * @param {CreateBoardBodyParams} createBoardBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8065,7 +8065,7 @@ export const BoardApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Create a new column on a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -8076,7 +8076,7 @@ export const BoardApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Delete a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -8087,7 +8087,7 @@ export const BoardApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Get the context of a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -8098,7 +8098,7 @@ export const BoardApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Get the skeleton of a a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -8109,10 +8109,10 @@ export const BoardApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Update the title of a board. * @param {string} boardId The id of the board. - * @param {UpdateBoardTitleParams} updateBoardTitleParams + * @param {UpdateBoardTitleParams} updateBoardTitleParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8121,10 +8121,10 @@ export const BoardApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Update the visibility of a board. * @param {string} boardId The id of the board. - * @param {VisibilityBodyParams} visibilityBodyParams + * @param {VisibilityBodyParams} visibilityBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8143,9 +8143,9 @@ export const BoardApiFactory = function (configuration?: Configuration, basePath const localVarFp = BoardApiFp(configuration) return { /** - * + * * @summary Create a new board. - * @param {CreateBoardBodyParams} createBoardBodyParams + * @param {CreateBoardBodyParams} createBoardBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8153,7 +8153,7 @@ export const BoardApiFactory = function (configuration?: Configuration, basePath return localVarFp.boardControllerCreateBoard(createBoardBodyParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Create a new column on a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -8163,7 +8163,7 @@ export const BoardApiFactory = function (configuration?: Configuration, basePath return localVarFp.boardControllerCreateColumn(boardId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Delete a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -8173,7 +8173,7 @@ export const BoardApiFactory = function (configuration?: Configuration, basePath return localVarFp.boardControllerDeleteBoard(boardId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Get the context of a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -8183,7 +8183,7 @@ export const BoardApiFactory = function (configuration?: Configuration, basePath return localVarFp.boardControllerGetBoardContext(boardId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Get the skeleton of a a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -8193,10 +8193,10 @@ export const BoardApiFactory = function (configuration?: Configuration, basePath return localVarFp.boardControllerGetBoardSkeleton(boardId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Update the title of a board. * @param {string} boardId The id of the board. - * @param {UpdateBoardTitleParams} updateBoardTitleParams + * @param {UpdateBoardTitleParams} updateBoardTitleParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8204,10 +8204,10 @@ export const BoardApiFactory = function (configuration?: Configuration, basePath return localVarFp.boardControllerUpdateBoardTitle(boardId, updateBoardTitleParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Update the visibility of a board. * @param {string} boardId The id of the board. - * @param {VisibilityBodyParams} visibilityBodyParams + * @param {VisibilityBodyParams} visibilityBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8224,9 +8224,9 @@ export const BoardApiFactory = function (configuration?: Configuration, basePath */ export interface BoardApiInterface { /** - * + * * @summary Create a new board. - * @param {CreateBoardBodyParams} createBoardBodyParams + * @param {CreateBoardBodyParams} createBoardBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardApiInterface @@ -8234,7 +8234,7 @@ export interface BoardApiInterface { boardControllerCreateBoard(createBoardBodyParams: CreateBoardBodyParams, options?: any): AxiosPromise; /** - * + * * @summary Create a new column on a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -8244,7 +8244,7 @@ export interface BoardApiInterface { boardControllerCreateColumn(boardId: string, options?: any): AxiosPromise; /** - * + * * @summary Delete a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -8254,7 +8254,7 @@ export interface BoardApiInterface { boardControllerDeleteBoard(boardId: string, options?: any): AxiosPromise; /** - * + * * @summary Get the context of a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -8264,7 +8264,7 @@ export interface BoardApiInterface { boardControllerGetBoardContext(boardId: string, options?: any): AxiosPromise; /** - * + * * @summary Get the skeleton of a a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -8274,10 +8274,10 @@ export interface BoardApiInterface { boardControllerGetBoardSkeleton(boardId: string, options?: any): AxiosPromise; /** - * + * * @summary Update the title of a board. * @param {string} boardId The id of the board. - * @param {UpdateBoardTitleParams} updateBoardTitleParams + * @param {UpdateBoardTitleParams} updateBoardTitleParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardApiInterface @@ -8285,10 +8285,10 @@ export interface BoardApiInterface { boardControllerUpdateBoardTitle(boardId: string, updateBoardTitleParams: UpdateBoardTitleParams, options?: any): AxiosPromise; /** - * + * * @summary Update the visibility of a board. * @param {string} boardId The id of the board. - * @param {VisibilityBodyParams} visibilityBodyParams + * @param {VisibilityBodyParams} visibilityBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardApiInterface @@ -8305,9 +8305,9 @@ export interface BoardApiInterface { */ export class BoardApi extends BaseAPI implements BoardApiInterface { /** - * + * * @summary Create a new board. - * @param {CreateBoardBodyParams} createBoardBodyParams + * @param {CreateBoardBodyParams} createBoardBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardApi @@ -8317,7 +8317,7 @@ export class BoardApi extends BaseAPI implements BoardApiInterface { } /** - * + * * @summary Create a new column on a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -8329,7 +8329,7 @@ export class BoardApi extends BaseAPI implements BoardApiInterface { } /** - * + * * @summary Delete a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -8341,7 +8341,7 @@ export class BoardApi extends BaseAPI implements BoardApiInterface { } /** - * + * * @summary Get the context of a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -8353,7 +8353,7 @@ export class BoardApi extends BaseAPI implements BoardApiInterface { } /** - * + * * @summary Get the skeleton of a a board. * @param {string} boardId The id of the board. * @param {*} [options] Override http request option. @@ -8365,10 +8365,10 @@ export class BoardApi extends BaseAPI implements BoardApiInterface { } /** - * + * * @summary Update the title of a board. * @param {string} boardId The id of the board. - * @param {UpdateBoardTitleParams} updateBoardTitleParams + * @param {UpdateBoardTitleParams} updateBoardTitleParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardApi @@ -8378,10 +8378,10 @@ export class BoardApi extends BaseAPI implements BoardApiInterface { } /** - * + * * @summary Update the visibility of a board. * @param {string} boardId The id of the board. - * @param {VisibilityBodyParams} visibilityBodyParams + * @param {VisibilityBodyParams} visibilityBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardApi @@ -8399,10 +8399,10 @@ export class BoardApi extends BaseAPI implements BoardApiInterface { export const BoardCardApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @summary Create a new element on a card. * @param {string} cardId The id of the card. - * @param {CreateContentElementBodyParams} createContentElementBodyParams + * @param {CreateContentElementBodyParams} createContentElementBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8429,7 +8429,7 @@ export const BoardCardApiAxiosParamCreator = function (configuration?: Configura await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -8443,7 +8443,7 @@ export const BoardCardApiAxiosParamCreator = function (configuration?: Configura }; }, /** - * + * * @summary Delete a single card. * @param {string} cardId The id of the card. * @param {*} [options] Override http request option. @@ -8470,7 +8470,7 @@ export const BoardCardApiAxiosParamCreator = function (configuration?: Configura await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -8481,7 +8481,7 @@ export const BoardCardApiAxiosParamCreator = function (configuration?: Configura }; }, /** - * + * * @summary Get a list of cards by their ids. * @param {Array} ids Array of Ids to be loaded * @param {*} [options] Override http request option. @@ -8511,7 +8511,7 @@ export const BoardCardApiAxiosParamCreator = function (configuration?: Configura } - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -8522,10 +8522,10 @@ export const BoardCardApiAxiosParamCreator = function (configuration?: Configura }; }, /** - * + * * @summary Move a single card. * @param {string} cardId The id of the card. - * @param {MoveCardBodyParams} moveCardBodyParams + * @param {MoveCardBodyParams} moveCardBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8552,7 +8552,7 @@ export const BoardCardApiAxiosParamCreator = function (configuration?: Configura await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -8566,10 +8566,10 @@ export const BoardCardApiAxiosParamCreator = function (configuration?: Configura }; }, /** - * + * * @summary Update the height of a single card. * @param {string} cardId The id of the card. - * @param {SetHeightBodyParams} setHeightBodyParams + * @param {SetHeightBodyParams} setHeightBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8596,7 +8596,7 @@ export const BoardCardApiAxiosParamCreator = function (configuration?: Configura await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -8610,10 +8610,10 @@ export const BoardCardApiAxiosParamCreator = function (configuration?: Configura }; }, /** - * + * * @summary Update the title of a single card. * @param {string} cardId The id of the card. - * @param {RenameBodyParams} renameBodyParams + * @param {RenameBodyParams} renameBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8640,7 +8640,7 @@ export const BoardCardApiAxiosParamCreator = function (configuration?: Configura await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -8664,10 +8664,10 @@ export const BoardCardApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = BoardCardApiAxiosParamCreator(configuration) return { /** - * + * * @summary Create a new element on a card. * @param {string} cardId The id of the card. - * @param {CreateContentElementBodyParams} createContentElementBodyParams + * @param {CreateContentElementBodyParams} createContentElementBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8676,7 +8676,7 @@ export const BoardCardApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Delete a single card. * @param {string} cardId The id of the card. * @param {*} [options] Override http request option. @@ -8687,7 +8687,7 @@ export const BoardCardApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Get a list of cards by their ids. * @param {Array} ids Array of Ids to be loaded * @param {*} [options] Override http request option. @@ -8698,10 +8698,10 @@ export const BoardCardApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Move a single card. * @param {string} cardId The id of the card. - * @param {MoveCardBodyParams} moveCardBodyParams + * @param {MoveCardBodyParams} moveCardBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8710,10 +8710,10 @@ export const BoardCardApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Update the height of a single card. * @param {string} cardId The id of the card. - * @param {SetHeightBodyParams} setHeightBodyParams + * @param {SetHeightBodyParams} setHeightBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8722,10 +8722,10 @@ export const BoardCardApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Update the title of a single card. * @param {string} cardId The id of the card. - * @param {RenameBodyParams} renameBodyParams + * @param {RenameBodyParams} renameBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8744,10 +8744,10 @@ export const BoardCardApiFactory = function (configuration?: Configuration, base const localVarFp = BoardCardApiFp(configuration) return { /** - * + * * @summary Create a new element on a card. * @param {string} cardId The id of the card. - * @param {CreateContentElementBodyParams} createContentElementBodyParams + * @param {CreateContentElementBodyParams} createContentElementBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8755,7 +8755,7 @@ export const BoardCardApiFactory = function (configuration?: Configuration, base return localVarFp.cardControllerCreateElement(cardId, createContentElementBodyParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Delete a single card. * @param {string} cardId The id of the card. * @param {*} [options] Override http request option. @@ -8765,7 +8765,7 @@ export const BoardCardApiFactory = function (configuration?: Configuration, base return localVarFp.cardControllerDeleteCard(cardId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Get a list of cards by their ids. * @param {Array} ids Array of Ids to be loaded * @param {*} [options] Override http request option. @@ -8775,10 +8775,10 @@ export const BoardCardApiFactory = function (configuration?: Configuration, base return localVarFp.cardControllerGetCards(ids, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Move a single card. * @param {string} cardId The id of the card. - * @param {MoveCardBodyParams} moveCardBodyParams + * @param {MoveCardBodyParams} moveCardBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8786,10 +8786,10 @@ export const BoardCardApiFactory = function (configuration?: Configuration, base return localVarFp.cardControllerMoveCard(cardId, moveCardBodyParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Update the height of a single card. * @param {string} cardId The id of the card. - * @param {SetHeightBodyParams} setHeightBodyParams + * @param {SetHeightBodyParams} setHeightBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8797,10 +8797,10 @@ export const BoardCardApiFactory = function (configuration?: Configuration, base return localVarFp.cardControllerUpdateCardHeight(cardId, setHeightBodyParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Update the title of a single card. * @param {string} cardId The id of the card. - * @param {RenameBodyParams} renameBodyParams + * @param {RenameBodyParams} renameBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -8817,10 +8817,10 @@ export const BoardCardApiFactory = function (configuration?: Configuration, base */ export interface BoardCardApiInterface { /** - * + * * @summary Create a new element on a card. * @param {string} cardId The id of the card. - * @param {CreateContentElementBodyParams} createContentElementBodyParams + * @param {CreateContentElementBodyParams} createContentElementBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardCardApiInterface @@ -8828,7 +8828,7 @@ export interface BoardCardApiInterface { cardControllerCreateElement(cardId: string, createContentElementBodyParams: CreateContentElementBodyParams, options?: any): AxiosPromise; /** - * + * * @summary Delete a single card. * @param {string} cardId The id of the card. * @param {*} [options] Override http request option. @@ -8838,7 +8838,7 @@ export interface BoardCardApiInterface { cardControllerDeleteCard(cardId: string, options?: any): AxiosPromise; /** - * + * * @summary Get a list of cards by their ids. * @param {Array} ids Array of Ids to be loaded * @param {*} [options] Override http request option. @@ -8848,10 +8848,10 @@ export interface BoardCardApiInterface { cardControllerGetCards(ids: Array, options?: any): AxiosPromise; /** - * + * * @summary Move a single card. * @param {string} cardId The id of the card. - * @param {MoveCardBodyParams} moveCardBodyParams + * @param {MoveCardBodyParams} moveCardBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardCardApiInterface @@ -8859,10 +8859,10 @@ export interface BoardCardApiInterface { cardControllerMoveCard(cardId: string, moveCardBodyParams: MoveCardBodyParams, options?: any): AxiosPromise; /** - * + * * @summary Update the height of a single card. * @param {string} cardId The id of the card. - * @param {SetHeightBodyParams} setHeightBodyParams + * @param {SetHeightBodyParams} setHeightBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardCardApiInterface @@ -8870,10 +8870,10 @@ export interface BoardCardApiInterface { cardControllerUpdateCardHeight(cardId: string, setHeightBodyParams: SetHeightBodyParams, options?: any): AxiosPromise; /** - * + * * @summary Update the title of a single card. * @param {string} cardId The id of the card. - * @param {RenameBodyParams} renameBodyParams + * @param {RenameBodyParams} renameBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardCardApiInterface @@ -8890,10 +8890,10 @@ export interface BoardCardApiInterface { */ export class BoardCardApi extends BaseAPI implements BoardCardApiInterface { /** - * + * * @summary Create a new element on a card. * @param {string} cardId The id of the card. - * @param {CreateContentElementBodyParams} createContentElementBodyParams + * @param {CreateContentElementBodyParams} createContentElementBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardCardApi @@ -8903,7 +8903,7 @@ export class BoardCardApi extends BaseAPI implements BoardCardApiInterface { } /** - * + * * @summary Delete a single card. * @param {string} cardId The id of the card. * @param {*} [options] Override http request option. @@ -8915,7 +8915,7 @@ export class BoardCardApi extends BaseAPI implements BoardCardApiInterface { } /** - * + * * @summary Get a list of cards by their ids. * @param {Array} ids Array of Ids to be loaded * @param {*} [options] Override http request option. @@ -8927,10 +8927,10 @@ export class BoardCardApi extends BaseAPI implements BoardCardApiInterface { } /** - * + * * @summary Move a single card. * @param {string} cardId The id of the card. - * @param {MoveCardBodyParams} moveCardBodyParams + * @param {MoveCardBodyParams} moveCardBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardCardApi @@ -8940,10 +8940,10 @@ export class BoardCardApi extends BaseAPI implements BoardCardApiInterface { } /** - * + * * @summary Update the height of a single card. * @param {string} cardId The id of the card. - * @param {SetHeightBodyParams} setHeightBodyParams + * @param {SetHeightBodyParams} setHeightBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardCardApi @@ -8953,10 +8953,10 @@ export class BoardCardApi extends BaseAPI implements BoardCardApiInterface { } /** - * + * * @summary Update the title of a single card. * @param {string} cardId The id of the card. - * @param {RenameBodyParams} renameBodyParams + * @param {RenameBodyParams} renameBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardCardApi @@ -8974,10 +8974,10 @@ export class BoardCardApi extends BaseAPI implements BoardCardApiInterface { export const BoardColumnApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @summary Create a new card on a column. * @param {string} columnId The id of the column. - * @param {CreateCardBodyParams} [createCardBodyParams] + * @param {CreateCardBodyParams} [createCardBodyParams] * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9002,7 +9002,7 @@ export const BoardColumnApiAxiosParamCreator = function (configuration?: Configu await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -9016,7 +9016,7 @@ export const BoardColumnApiAxiosParamCreator = function (configuration?: Configu }; }, /** - * + * * @summary Delete a single column. * @param {string} columnId The id of the column. * @param {*} [options] Override http request option. @@ -9043,7 +9043,7 @@ export const BoardColumnApiAxiosParamCreator = function (configuration?: Configu await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -9054,10 +9054,10 @@ export const BoardColumnApiAxiosParamCreator = function (configuration?: Configu }; }, /** - * + * * @summary Move a single column. * @param {string} columnId The id of the column. - * @param {MoveColumnBodyParams} moveColumnBodyParams + * @param {MoveColumnBodyParams} moveColumnBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9084,7 +9084,7 @@ export const BoardColumnApiAxiosParamCreator = function (configuration?: Configu await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -9098,10 +9098,10 @@ export const BoardColumnApiAxiosParamCreator = function (configuration?: Configu }; }, /** - * + * * @summary Update the title of a single column. * @param {string} columnId The id of the column. - * @param {RenameBodyParams} renameBodyParams + * @param {RenameBodyParams} renameBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9128,7 +9128,7 @@ export const BoardColumnApiAxiosParamCreator = function (configuration?: Configu await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -9152,10 +9152,10 @@ export const BoardColumnApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = BoardColumnApiAxiosParamCreator(configuration) return { /** - * + * * @summary Create a new card on a column. * @param {string} columnId The id of the column. - * @param {CreateCardBodyParams} [createCardBodyParams] + * @param {CreateCardBodyParams} [createCardBodyParams] * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9164,7 +9164,7 @@ export const BoardColumnApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Delete a single column. * @param {string} columnId The id of the column. * @param {*} [options] Override http request option. @@ -9175,10 +9175,10 @@ export const BoardColumnApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Move a single column. * @param {string} columnId The id of the column. - * @param {MoveColumnBodyParams} moveColumnBodyParams + * @param {MoveColumnBodyParams} moveColumnBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9187,10 +9187,10 @@ export const BoardColumnApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Update the title of a single column. * @param {string} columnId The id of the column. - * @param {RenameBodyParams} renameBodyParams + * @param {RenameBodyParams} renameBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9209,10 +9209,10 @@ export const BoardColumnApiFactory = function (configuration?: Configuration, ba const localVarFp = BoardColumnApiFp(configuration) return { /** - * + * * @summary Create a new card on a column. * @param {string} columnId The id of the column. - * @param {CreateCardBodyParams} [createCardBodyParams] + * @param {CreateCardBodyParams} [createCardBodyParams] * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9220,7 +9220,7 @@ export const BoardColumnApiFactory = function (configuration?: Configuration, ba return localVarFp.columnControllerCreateCard(columnId, createCardBodyParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Delete a single column. * @param {string} columnId The id of the column. * @param {*} [options] Override http request option. @@ -9230,10 +9230,10 @@ export const BoardColumnApiFactory = function (configuration?: Configuration, ba return localVarFp.columnControllerDeleteColumn(columnId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Move a single column. * @param {string} columnId The id of the column. - * @param {MoveColumnBodyParams} moveColumnBodyParams + * @param {MoveColumnBodyParams} moveColumnBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9241,10 +9241,10 @@ export const BoardColumnApiFactory = function (configuration?: Configuration, ba return localVarFp.columnControllerMoveColumn(columnId, moveColumnBodyParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Update the title of a single column. * @param {string} columnId The id of the column. - * @param {RenameBodyParams} renameBodyParams + * @param {RenameBodyParams} renameBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9261,10 +9261,10 @@ export const BoardColumnApiFactory = function (configuration?: Configuration, ba */ export interface BoardColumnApiInterface { /** - * + * * @summary Create a new card on a column. * @param {string} columnId The id of the column. - * @param {CreateCardBodyParams} [createCardBodyParams] + * @param {CreateCardBodyParams} [createCardBodyParams] * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardColumnApiInterface @@ -9272,7 +9272,7 @@ export interface BoardColumnApiInterface { columnControllerCreateCard(columnId: string, createCardBodyParams?: CreateCardBodyParams, options?: any): AxiosPromise; /** - * + * * @summary Delete a single column. * @param {string} columnId The id of the column. * @param {*} [options] Override http request option. @@ -9282,10 +9282,10 @@ export interface BoardColumnApiInterface { columnControllerDeleteColumn(columnId: string, options?: any): AxiosPromise; /** - * + * * @summary Move a single column. * @param {string} columnId The id of the column. - * @param {MoveColumnBodyParams} moveColumnBodyParams + * @param {MoveColumnBodyParams} moveColumnBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardColumnApiInterface @@ -9293,10 +9293,10 @@ export interface BoardColumnApiInterface { columnControllerMoveColumn(columnId: string, moveColumnBodyParams: MoveColumnBodyParams, options?: any): AxiosPromise; /** - * + * * @summary Update the title of a single column. * @param {string} columnId The id of the column. - * @param {RenameBodyParams} renameBodyParams + * @param {RenameBodyParams} renameBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardColumnApiInterface @@ -9313,10 +9313,10 @@ export interface BoardColumnApiInterface { */ export class BoardColumnApi extends BaseAPI implements BoardColumnApiInterface { /** - * + * * @summary Create a new card on a column. * @param {string} columnId The id of the column. - * @param {CreateCardBodyParams} [createCardBodyParams] + * @param {CreateCardBodyParams} [createCardBodyParams] * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardColumnApi @@ -9326,7 +9326,7 @@ export class BoardColumnApi extends BaseAPI implements BoardColumnApiInterface { } /** - * + * * @summary Delete a single column. * @param {string} columnId The id of the column. * @param {*} [options] Override http request option. @@ -9338,10 +9338,10 @@ export class BoardColumnApi extends BaseAPI implements BoardColumnApiInterface { } /** - * + * * @summary Move a single column. * @param {string} columnId The id of the column. - * @param {MoveColumnBodyParams} moveColumnBodyParams + * @param {MoveColumnBodyParams} moveColumnBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardColumnApi @@ -9351,10 +9351,10 @@ export class BoardColumnApi extends BaseAPI implements BoardColumnApiInterface { } /** - * + * * @summary Update the title of a single column. * @param {string} columnId The id of the column. - * @param {RenameBodyParams} renameBodyParams + * @param {RenameBodyParams} renameBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardColumnApi @@ -9372,10 +9372,10 @@ export class BoardColumnApi extends BaseAPI implements BoardColumnApiInterface { export const BoardElementApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @summary Create a new submission item having parent a submission container element. * @param {string} contentElementId The id of the element. - * @param {CreateSubmissionItemBodyParams} createSubmissionItemBodyParams + * @param {CreateSubmissionItemBodyParams} createSubmissionItemBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9402,7 +9402,7 @@ export const BoardElementApiAxiosParamCreator = function (configuration?: Config await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -9416,7 +9416,7 @@ export const BoardElementApiAxiosParamCreator = function (configuration?: Config }; }, /** - * + * * @summary Delete a single content element. * @param {string} contentElementId The id of the element. * @param {*} [options] Override http request option. @@ -9443,7 +9443,7 @@ export const BoardElementApiAxiosParamCreator = function (configuration?: Config await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -9454,10 +9454,10 @@ export const BoardElementApiAxiosParamCreator = function (configuration?: Config }; }, /** - * + * * @summary Move a single content element. * @param {string} contentElementId The id of the element. - * @param {MoveContentElementBody} moveContentElementBody + * @param {MoveContentElementBody} moveContentElementBody * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9484,7 +9484,7 @@ export const BoardElementApiAxiosParamCreator = function (configuration?: Config await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -9498,7 +9498,7 @@ export const BoardElementApiAxiosParamCreator = function (configuration?: Config }; }, /** - * + * * @summary Check if user has read permission for any board element. * @param {string} contentElementId The id of the element. * @param {*} [options] Override http request option. @@ -9525,7 +9525,7 @@ export const BoardElementApiAxiosParamCreator = function (configuration?: Config await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -9536,10 +9536,10 @@ export const BoardElementApiAxiosParamCreator = function (configuration?: Config }; }, /** - * + * * @summary Update a single content element. * @param {string} contentElementId The id of the element. - * @param {UpdateElementContentBodyParams} updateElementContentBodyParams + * @param {UpdateElementContentBodyParams} updateElementContentBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9566,7 +9566,7 @@ export const BoardElementApiAxiosParamCreator = function (configuration?: Config await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -9590,10 +9590,10 @@ export const BoardElementApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = BoardElementApiAxiosParamCreator(configuration) return { /** - * + * * @summary Create a new submission item having parent a submission container element. * @param {string} contentElementId The id of the element. - * @param {CreateSubmissionItemBodyParams} createSubmissionItemBodyParams + * @param {CreateSubmissionItemBodyParams} createSubmissionItemBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9602,7 +9602,7 @@ export const BoardElementApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Delete a single content element. * @param {string} contentElementId The id of the element. * @param {*} [options] Override http request option. @@ -9613,10 +9613,10 @@ export const BoardElementApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Move a single content element. * @param {string} contentElementId The id of the element. - * @param {MoveContentElementBody} moveContentElementBody + * @param {MoveContentElementBody} moveContentElementBody * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9625,7 +9625,7 @@ export const BoardElementApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Check if user has read permission for any board element. * @param {string} contentElementId The id of the element. * @param {*} [options] Override http request option. @@ -9636,10 +9636,10 @@ export const BoardElementApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Update a single content element. * @param {string} contentElementId The id of the element. - * @param {UpdateElementContentBodyParams} updateElementContentBodyParams + * @param {UpdateElementContentBodyParams} updateElementContentBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9658,10 +9658,10 @@ export const BoardElementApiFactory = function (configuration?: Configuration, b const localVarFp = BoardElementApiFp(configuration) return { /** - * + * * @summary Create a new submission item having parent a submission container element. * @param {string} contentElementId The id of the element. - * @param {CreateSubmissionItemBodyParams} createSubmissionItemBodyParams + * @param {CreateSubmissionItemBodyParams} createSubmissionItemBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9669,7 +9669,7 @@ export const BoardElementApiFactory = function (configuration?: Configuration, b return localVarFp.elementControllerCreateSubmissionItem(contentElementId, createSubmissionItemBodyParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Delete a single content element. * @param {string} contentElementId The id of the element. * @param {*} [options] Override http request option. @@ -9679,10 +9679,10 @@ export const BoardElementApiFactory = function (configuration?: Configuration, b return localVarFp.elementControllerDeleteElement(contentElementId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Move a single content element. * @param {string} contentElementId The id of the element. - * @param {MoveContentElementBody} moveContentElementBody + * @param {MoveContentElementBody} moveContentElementBody * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9690,7 +9690,7 @@ export const BoardElementApiFactory = function (configuration?: Configuration, b return localVarFp.elementControllerMoveElement(contentElementId, moveContentElementBody, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Check if user has read permission for any board element. * @param {string} contentElementId The id of the element. * @param {*} [options] Override http request option. @@ -9700,10 +9700,10 @@ export const BoardElementApiFactory = function (configuration?: Configuration, b return localVarFp.elementControllerReadPermission(contentElementId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Update a single content element. * @param {string} contentElementId The id of the element. - * @param {UpdateElementContentBodyParams} updateElementContentBodyParams + * @param {UpdateElementContentBodyParams} updateElementContentBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9720,10 +9720,10 @@ export const BoardElementApiFactory = function (configuration?: Configuration, b */ export interface BoardElementApiInterface { /** - * + * * @summary Create a new submission item having parent a submission container element. * @param {string} contentElementId The id of the element. - * @param {CreateSubmissionItemBodyParams} createSubmissionItemBodyParams + * @param {CreateSubmissionItemBodyParams} createSubmissionItemBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardElementApiInterface @@ -9731,7 +9731,7 @@ export interface BoardElementApiInterface { elementControllerCreateSubmissionItem(contentElementId: string, createSubmissionItemBodyParams: CreateSubmissionItemBodyParams, options?: any): AxiosPromise; /** - * + * * @summary Delete a single content element. * @param {string} contentElementId The id of the element. * @param {*} [options] Override http request option. @@ -9741,10 +9741,10 @@ export interface BoardElementApiInterface { elementControllerDeleteElement(contentElementId: string, options?: any): AxiosPromise; /** - * + * * @summary Move a single content element. * @param {string} contentElementId The id of the element. - * @param {MoveContentElementBody} moveContentElementBody + * @param {MoveContentElementBody} moveContentElementBody * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardElementApiInterface @@ -9752,7 +9752,7 @@ export interface BoardElementApiInterface { elementControllerMoveElement(contentElementId: string, moveContentElementBody: MoveContentElementBody, options?: any): AxiosPromise; /** - * + * * @summary Check if user has read permission for any board element. * @param {string} contentElementId The id of the element. * @param {*} [options] Override http request option. @@ -9762,10 +9762,10 @@ export interface BoardElementApiInterface { elementControllerReadPermission(contentElementId: string, options?: any): AxiosPromise; /** - * + * * @summary Update a single content element. * @param {string} contentElementId The id of the element. - * @param {UpdateElementContentBodyParams} updateElementContentBodyParams + * @param {UpdateElementContentBodyParams} updateElementContentBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardElementApiInterface @@ -9782,10 +9782,10 @@ export interface BoardElementApiInterface { */ export class BoardElementApi extends BaseAPI implements BoardElementApiInterface { /** - * + * * @summary Create a new submission item having parent a submission container element. * @param {string} contentElementId The id of the element. - * @param {CreateSubmissionItemBodyParams} createSubmissionItemBodyParams + * @param {CreateSubmissionItemBodyParams} createSubmissionItemBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardElementApi @@ -9795,7 +9795,7 @@ export class BoardElementApi extends BaseAPI implements BoardElementApiInterface } /** - * + * * @summary Delete a single content element. * @param {string} contentElementId The id of the element. * @param {*} [options] Override http request option. @@ -9807,10 +9807,10 @@ export class BoardElementApi extends BaseAPI implements BoardElementApiInterface } /** - * + * * @summary Move a single content element. * @param {string} contentElementId The id of the element. - * @param {MoveContentElementBody} moveContentElementBody + * @param {MoveContentElementBody} moveContentElementBody * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardElementApi @@ -9820,7 +9820,7 @@ export class BoardElementApi extends BaseAPI implements BoardElementApiInterface } /** - * + * * @summary Check if user has read permission for any board element. * @param {string} contentElementId The id of the element. * @param {*} [options] Override http request option. @@ -9832,10 +9832,10 @@ export class BoardElementApi extends BaseAPI implements BoardElementApiInterface } /** - * + * * @summary Update a single content element. * @param {string} contentElementId The id of the element. - * @param {UpdateElementContentBodyParams} updateElementContentBodyParams + * @param {UpdateElementContentBodyParams} updateElementContentBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardElementApi @@ -9853,10 +9853,10 @@ export class BoardElementApi extends BaseAPI implements BoardElementApiInterface export const BoardSubmissionApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @summary Create a new element in a submission item. * @param {string} submissionItemId The id of the submission item. - * @param {CreateContentElementBodyParams} createContentElementBodyParams + * @param {CreateContentElementBodyParams} createContentElementBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -9883,7 +9883,7 @@ export const BoardSubmissionApiAxiosParamCreator = function (configuration?: Con await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -9897,7 +9897,7 @@ export const BoardSubmissionApiAxiosParamCreator = function (configuration?: Con }; }, /** - * + * * @summary Delete a single submission item. * @param {string} submissionItemId The id of the submission item. * @param {*} [options] Override http request option. @@ -9924,7 +9924,7 @@ export const BoardSubmissionApiAxiosParamCreator = function (configuration?: Con await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -9935,7 +9935,7 @@ export const BoardSubmissionApiAxiosParamCreator = function (configuration?: Con }; }, /** - * + * * @summary Get a list of submission items by their parent container. * @param {string} submissionContainerId The id of the submission container. * @param {*} [options] Override http request option. @@ -9962,7 +9962,7 @@ export const BoardSubmissionApiAxiosParamCreator = function (configuration?: Con await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -9973,10 +9973,10 @@ export const BoardSubmissionApiAxiosParamCreator = function (configuration?: Con }; }, /** - * + * * @summary Update a single submission item. * @param {string} submissionItemId The id of the submission item. - * @param {UpdateSubmissionItemBodyParams} updateSubmissionItemBodyParams + * @param {UpdateSubmissionItemBodyParams} updateSubmissionItemBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -10003,7 +10003,7 @@ export const BoardSubmissionApiAxiosParamCreator = function (configuration?: Con await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -10027,10 +10027,10 @@ export const BoardSubmissionApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = BoardSubmissionApiAxiosParamCreator(configuration) return { /** - * + * * @summary Create a new element in a submission item. * @param {string} submissionItemId The id of the submission item. - * @param {CreateContentElementBodyParams} createContentElementBodyParams + * @param {CreateContentElementBodyParams} createContentElementBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -10039,7 +10039,7 @@ export const BoardSubmissionApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Delete a single submission item. * @param {string} submissionItemId The id of the submission item. * @param {*} [options] Override http request option. @@ -10050,7 +10050,7 @@ export const BoardSubmissionApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Get a list of submission items by their parent container. * @param {string} submissionContainerId The id of the submission container. * @param {*} [options] Override http request option. @@ -10061,10 +10061,10 @@ export const BoardSubmissionApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Update a single submission item. * @param {string} submissionItemId The id of the submission item. - * @param {UpdateSubmissionItemBodyParams} updateSubmissionItemBodyParams + * @param {UpdateSubmissionItemBodyParams} updateSubmissionItemBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -10083,10 +10083,10 @@ export const BoardSubmissionApiFactory = function (configuration?: Configuration const localVarFp = BoardSubmissionApiFp(configuration) return { /** - * + * * @summary Create a new element in a submission item. * @param {string} submissionItemId The id of the submission item. - * @param {CreateContentElementBodyParams} createContentElementBodyParams + * @param {CreateContentElementBodyParams} createContentElementBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -10094,7 +10094,7 @@ export const BoardSubmissionApiFactory = function (configuration?: Configuration return localVarFp.boardSubmissionControllerCreateElement(submissionItemId, createContentElementBodyParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Delete a single submission item. * @param {string} submissionItemId The id of the submission item. * @param {*} [options] Override http request option. @@ -10104,7 +10104,7 @@ export const BoardSubmissionApiFactory = function (configuration?: Configuration return localVarFp.boardSubmissionControllerDeleteSubmissionItem(submissionItemId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Get a list of submission items by their parent container. * @param {string} submissionContainerId The id of the submission container. * @param {*} [options] Override http request option. @@ -10114,10 +10114,10 @@ export const BoardSubmissionApiFactory = function (configuration?: Configuration return localVarFp.boardSubmissionControllerGetSubmissionItems(submissionContainerId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Update a single submission item. * @param {string} submissionItemId The id of the submission item. - * @param {UpdateSubmissionItemBodyParams} updateSubmissionItemBodyParams + * @param {UpdateSubmissionItemBodyParams} updateSubmissionItemBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -10134,10 +10134,10 @@ export const BoardSubmissionApiFactory = function (configuration?: Configuration */ export interface BoardSubmissionApiInterface { /** - * + * * @summary Create a new element in a submission item. * @param {string} submissionItemId The id of the submission item. - * @param {CreateContentElementBodyParams} createContentElementBodyParams + * @param {CreateContentElementBodyParams} createContentElementBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardSubmissionApiInterface @@ -10145,7 +10145,7 @@ export interface BoardSubmissionApiInterface { boardSubmissionControllerCreateElement(submissionItemId: string, createContentElementBodyParams: CreateContentElementBodyParams, options?: any): AxiosPromise; /** - * + * * @summary Delete a single submission item. * @param {string} submissionItemId The id of the submission item. * @param {*} [options] Override http request option. @@ -10155,7 +10155,7 @@ export interface BoardSubmissionApiInterface { boardSubmissionControllerDeleteSubmissionItem(submissionItemId: string, options?: any): AxiosPromise; /** - * + * * @summary Get a list of submission items by their parent container. * @param {string} submissionContainerId The id of the submission container. * @param {*} [options] Override http request option. @@ -10165,10 +10165,10 @@ export interface BoardSubmissionApiInterface { boardSubmissionControllerGetSubmissionItems(submissionContainerId: string, options?: any): AxiosPromise; /** - * + * * @summary Update a single submission item. * @param {string} submissionItemId The id of the submission item. - * @param {UpdateSubmissionItemBodyParams} updateSubmissionItemBodyParams + * @param {UpdateSubmissionItemBodyParams} updateSubmissionItemBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardSubmissionApiInterface @@ -10185,10 +10185,10 @@ export interface BoardSubmissionApiInterface { */ export class BoardSubmissionApi extends BaseAPI implements BoardSubmissionApiInterface { /** - * + * * @summary Create a new element in a submission item. * @param {string} submissionItemId The id of the submission item. - * @param {CreateContentElementBodyParams} createContentElementBodyParams + * @param {CreateContentElementBodyParams} createContentElementBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardSubmissionApi @@ -10198,7 +10198,7 @@ export class BoardSubmissionApi extends BaseAPI implements BoardSubmissionApiInt } /** - * + * * @summary Delete a single submission item. * @param {string} submissionItemId The id of the submission item. * @param {*} [options] Override http request option. @@ -10210,7 +10210,7 @@ export class BoardSubmissionApi extends BaseAPI implements BoardSubmissionApiInt } /** - * + * * @summary Get a list of submission items by their parent container. * @param {string} submissionContainerId The id of the submission container. * @param {*} [options] Override http request option. @@ -10222,10 +10222,10 @@ export class BoardSubmissionApi extends BaseAPI implements BoardSubmissionApiInt } /** - * + * * @summary Update a single submission item. * @param {string} submissionItemId The id of the submission item. - * @param {UpdateSubmissionItemBodyParams} updateSubmissionItemBodyParams + * @param {UpdateSubmissionItemBodyParams} updateSubmissionItemBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof BoardSubmissionApi @@ -10244,9 +10244,9 @@ export const CollaborativeStorageApiAxiosParamCreator = function (configuration? return { /** * Updates the CRUD Permissions(+Share) for a specific Role in a Team - * @param {string} teamId - * @param {string} roleId - * @param {TeamPermissionsBody} teamPermissionsBody + * @param {string} teamId + * @param {string} roleId + * @param {TeamPermissionsBody} teamPermissionsBody * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -10276,7 +10276,7 @@ export const CollaborativeStorageApiAxiosParamCreator = function (configuration? await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -10301,9 +10301,9 @@ export const CollaborativeStorageApiFp = function(configuration?: Configuration) return { /** * Updates the CRUD Permissions(+Share) for a specific Role in a Team - * @param {string} teamId - * @param {string} roleId - * @param {TeamPermissionsBody} teamPermissionsBody + * @param {string} teamId + * @param {string} roleId + * @param {TeamPermissionsBody} teamPermissionsBody * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -10323,9 +10323,9 @@ export const CollaborativeStorageApiFactory = function (configuration?: Configur return { /** * Updates the CRUD Permissions(+Share) for a specific Role in a Team - * @param {string} teamId - * @param {string} roleId - * @param {TeamPermissionsBody} teamPermissionsBody + * @param {string} teamId + * @param {string} roleId + * @param {TeamPermissionsBody} teamPermissionsBody * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -10343,9 +10343,9 @@ export const CollaborativeStorageApiFactory = function (configuration?: Configur export interface CollaborativeStorageApiInterface { /** * Updates the CRUD Permissions(+Share) for a specific Role in a Team - * @param {string} teamId - * @param {string} roleId - * @param {TeamPermissionsBody} teamPermissionsBody + * @param {string} teamId + * @param {string} roleId + * @param {TeamPermissionsBody} teamPermissionsBody * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof CollaborativeStorageApiInterface @@ -10363,9 +10363,9 @@ export interface CollaborativeStorageApiInterface { export class CollaborativeStorageApi extends BaseAPI implements CollaborativeStorageApiInterface { /** * Updates the CRUD Permissions(+Share) for a specific Role in a Team - * @param {string} teamId - * @param {string} roleId - * @param {TeamPermissionsBody} teamPermissionsBody + * @param {string} teamId + * @param {string} roleId + * @param {TeamPermissionsBody} teamPermissionsBody * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof CollaborativeStorageApi @@ -10383,7 +10383,7 @@ export class CollaborativeStorageApi extends BaseAPI implements CollaborativeSto export const CoursesApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @param {string} courseId The id of the course * @param {'1.1.0' | '1.3.0'} version The version of CC export * @param {*} [options] Override http request option. @@ -10416,7 +10416,7 @@ export const CoursesApiAxiosParamCreator = function (configuration?: Configurati } - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -10427,7 +10427,7 @@ export const CoursesApiAxiosParamCreator = function (configuration?: Configurati }; }, /** - * + * * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -10459,7 +10459,7 @@ export const CoursesApiAxiosParamCreator = function (configuration?: Configurati } - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -10470,7 +10470,7 @@ export const CoursesApiAxiosParamCreator = function (configuration?: Configurati }; }, /** - * + * * @summary Imports a course from a Common Cartridge file. * @param {any} file The Common Cartridge file to import. * @param {*} [options] Override http request option. @@ -10497,13 +10497,13 @@ export const CoursesApiAxiosParamCreator = function (configuration?: Configurati await setBearerAuthToObject(localVarHeaderParameter, configuration) - if (file !== undefined) { + if (file !== undefined) { localVarFormParams.append('file', file as any); } - - + + localVarHeaderParameter['Content-Type'] = 'multipart/form-data'; - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -10525,7 +10525,7 @@ export const CoursesApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = CoursesApiAxiosParamCreator(configuration) return { /** - * + * * @param {string} courseId The id of the course * @param {'1.1.0' | '1.3.0'} version The version of CC export * @param {*} [options] Override http request option. @@ -10536,7 +10536,7 @@ export const CoursesApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -10547,7 +10547,7 @@ export const CoursesApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Imports a course from a Common Cartridge file. * @param {any} file The Common Cartridge file to import. * @param {*} [options] Override http request option. @@ -10568,7 +10568,7 @@ export const CoursesApiFactory = function (configuration?: Configuration, basePa const localVarFp = CoursesApiFp(configuration) return { /** - * + * * @param {string} courseId The id of the course * @param {'1.1.0' | '1.3.0'} version The version of CC export * @param {*} [options] Override http request option. @@ -10578,7 +10578,7 @@ export const CoursesApiFactory = function (configuration?: Configuration, basePa return localVarFp.courseControllerExportCourse(courseId, version, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -10588,7 +10588,7 @@ export const CoursesApiFactory = function (configuration?: Configuration, basePa return localVarFp.courseControllerFindForUser(skip, limit, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Imports a course from a Common Cartridge file. * @param {any} file The Common Cartridge file to import. * @param {*} [options] Override http request option. @@ -10607,7 +10607,7 @@ export const CoursesApiFactory = function (configuration?: Configuration, basePa */ export interface CoursesApiInterface { /** - * + * * @param {string} courseId The id of the course * @param {'1.1.0' | '1.3.0'} version The version of CC export * @param {*} [options] Override http request option. @@ -10617,7 +10617,7 @@ export interface CoursesApiInterface { courseControllerExportCourse(courseId: string, version: '1.1.0' | '1.3.0', options?: any): AxiosPromise; /** - * + * * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -10627,7 +10627,7 @@ export interface CoursesApiInterface { courseControllerFindForUser(skip?: number, limit?: number, options?: any): AxiosPromise; /** - * + * * @summary Imports a course from a Common Cartridge file. * @param {any} file The Common Cartridge file to import. * @param {*} [options] Override http request option. @@ -10646,7 +10646,7 @@ export interface CoursesApiInterface { */ export class CoursesApi extends BaseAPI implements CoursesApiInterface { /** - * + * * @param {string} courseId The id of the course * @param {'1.1.0' | '1.3.0'} version The version of CC export * @param {*} [options] Override http request option. @@ -10658,7 +10658,7 @@ export class CoursesApi extends BaseAPI implements CoursesApiInterface { } /** - * + * * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -10670,7 +10670,7 @@ export class CoursesApi extends BaseAPI implements CoursesApiInterface { } /** - * + * * @summary Imports a course from a Common Cartridge file. * @param {any} file The Common Cartridge file to import. * @param {*} [options] Override http request option. @@ -10690,7 +10690,7 @@ export class CoursesApi extends BaseAPI implements CoursesApiInterface { export const DashboardApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -10712,7 +10712,7 @@ export const DashboardApiAxiosParamCreator = function (configuration?: Configura await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -10723,9 +10723,9 @@ export const DashboardApiAxiosParamCreator = function (configuration?: Configura }; }, /** - * + * * @param {string} dashboardId The id of the dashboard. - * @param {MoveElementParams} moveElementParams + * @param {MoveElementParams} moveElementParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -10752,7 +10752,7 @@ export const DashboardApiAxiosParamCreator = function (configuration?: Configura await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -10766,11 +10766,11 @@ export const DashboardApiAxiosParamCreator = function (configuration?: Configura }; }, /** - * + * * @param {string} dashboardId The id of the dashboard. - * @param {number} x - * @param {number} y - * @param {PatchGroupParams} patchGroupParams + * @param {number} x + * @param {number} y + * @param {PatchGroupParams} patchGroupParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -10809,7 +10809,7 @@ export const DashboardApiAxiosParamCreator = function (configuration?: Configura } - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -10833,7 +10833,7 @@ export const DashboardApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = DashboardApiAxiosParamCreator(configuration) return { /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -10842,9 +10842,9 @@ export const DashboardApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} dashboardId The id of the dashboard. - * @param {MoveElementParams} moveElementParams + * @param {MoveElementParams} moveElementParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -10853,11 +10853,11 @@ export const DashboardApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} dashboardId The id of the dashboard. - * @param {number} x - * @param {number} y - * @param {PatchGroupParams} patchGroupParams + * @param {number} x + * @param {number} y + * @param {PatchGroupParams} patchGroupParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -10876,7 +10876,7 @@ export const DashboardApiFactory = function (configuration?: Configuration, base const localVarFp = DashboardApiFp(configuration) return { /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -10884,9 +10884,9 @@ export const DashboardApiFactory = function (configuration?: Configuration, base return localVarFp.dashboardControllerFindForUser(options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} dashboardId The id of the dashboard. - * @param {MoveElementParams} moveElementParams + * @param {MoveElementParams} moveElementParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -10894,11 +10894,11 @@ export const DashboardApiFactory = function (configuration?: Configuration, base return localVarFp.dashboardControllerMoveElement(dashboardId, moveElementParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} dashboardId The id of the dashboard. - * @param {number} x - * @param {number} y - * @param {PatchGroupParams} patchGroupParams + * @param {number} x + * @param {number} y + * @param {PatchGroupParams} patchGroupParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -10915,7 +10915,7 @@ export const DashboardApiFactory = function (configuration?: Configuration, base */ export interface DashboardApiInterface { /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof DashboardApiInterface @@ -10923,9 +10923,9 @@ export interface DashboardApiInterface { dashboardControllerFindForUser(options?: any): AxiosPromise; /** - * + * * @param {string} dashboardId The id of the dashboard. - * @param {MoveElementParams} moveElementParams + * @param {MoveElementParams} moveElementParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof DashboardApiInterface @@ -10933,11 +10933,11 @@ export interface DashboardApiInterface { dashboardControllerMoveElement(dashboardId: string, moveElementParams: MoveElementParams, options?: any): AxiosPromise; /** - * + * * @param {string} dashboardId The id of the dashboard. - * @param {number} x - * @param {number} y - * @param {PatchGroupParams} patchGroupParams + * @param {number} x + * @param {number} y + * @param {PatchGroupParams} patchGroupParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof DashboardApiInterface @@ -10954,7 +10954,7 @@ export interface DashboardApiInterface { */ export class DashboardApi extends BaseAPI implements DashboardApiInterface { /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof DashboardApi @@ -10964,9 +10964,9 @@ export class DashboardApi extends BaseAPI implements DashboardApiInterface { } /** - * + * * @param {string} dashboardId The id of the dashboard. - * @param {MoveElementParams} moveElementParams + * @param {MoveElementParams} moveElementParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof DashboardApi @@ -10976,11 +10976,11 @@ export class DashboardApi extends BaseAPI implements DashboardApiInterface { } /** - * + * * @param {string} dashboardId The id of the dashboard. - * @param {number} x - * @param {number} y - * @param {PatchGroupParams} patchGroupParams + * @param {number} x + * @param {number} y + * @param {PatchGroupParams} patchGroupParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof DashboardApi @@ -10998,7 +10998,7 @@ export class DashboardApi extends BaseAPI implements DashboardApiInterface { export const DefaultApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @summary Useable configuration for clients * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11017,7 +11017,7 @@ export const DefaultApiAxiosParamCreator = function (configuration?: Configurati const localVarQueryParameter = {} as any; - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -11028,7 +11028,7 @@ export const DefaultApiAxiosParamCreator = function (configuration?: Configurati }; }, /** - * + * * @summary Default route to test public access * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11047,7 +11047,7 @@ export const DefaultApiAxiosParamCreator = function (configuration?: Configurati const localVarQueryParameter = {} as any; - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -11068,7 +11068,7 @@ export const DefaultApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = DefaultApiAxiosParamCreator(configuration) return { /** - * + * * @summary Useable configuration for clients * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11078,7 +11078,7 @@ export const DefaultApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Default route to test public access * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11098,7 +11098,7 @@ export const DefaultApiFactory = function (configuration?: Configuration, basePa const localVarFp = DefaultApiFp(configuration) return { /** - * + * * @summary Useable configuration for clients * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11107,7 +11107,7 @@ export const DefaultApiFactory = function (configuration?: Configuration, basePa return localVarFp.serverConfigControllerPublicConfig(options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Default route to test public access * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11125,7 +11125,7 @@ export const DefaultApiFactory = function (configuration?: Configuration, basePa */ export interface DefaultApiInterface { /** - * + * * @summary Useable configuration for clients * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11134,7 +11134,7 @@ export interface DefaultApiInterface { serverConfigControllerPublicConfig(options?: any): AxiosPromise; /** - * + * * @summary Default route to test public access * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11152,7 +11152,7 @@ export interface DefaultApiInterface { */ export class DefaultApi extends BaseAPI implements DefaultApiInterface { /** - * + * * @summary Useable configuration for clients * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11163,7 +11163,7 @@ export class DefaultApi extends BaseAPI implements DefaultApiInterface { } /** - * + * * @summary Default route to test public access * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11182,14 +11182,14 @@ export class DefaultApi extends BaseAPI implements DefaultApiInterface { export const GroupApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @summary Get a list of classes and groups of type class for the current user. * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. - * @param {'asc' | 'desc'} [sortOrder] - * @param {'name' | 'externalSourceName'} [sortBy] - * @param {SchoolYearQueryType} [type] - * @param {ClassRequestContext} [calledFrom] + * @param {'asc' | 'desc'} [sortOrder] + * @param {'name' | 'externalSourceName'} [sortBy] + * @param {SchoolYearQueryType} [type] + * @param {ClassRequestContext} [calledFrom] * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -11235,7 +11235,7 @@ export const GroupApiAxiosParamCreator = function (configuration?: Configuration } - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -11246,9 +11246,9 @@ export const GroupApiAxiosParamCreator = function (configuration?: Configuration }; }, /** - * + * * @summary Get a group by id. - * @param {string} groupId + * @param {string} groupId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -11273,7 +11273,7 @@ export const GroupApiAxiosParamCreator = function (configuration?: Configuration await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -11294,14 +11294,14 @@ export const GroupApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = GroupApiAxiosParamCreator(configuration) return { /** - * + * * @summary Get a list of classes and groups of type class for the current user. * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. - * @param {'asc' | 'desc'} [sortOrder] - * @param {'name' | 'externalSourceName'} [sortBy] - * @param {SchoolYearQueryType} [type] - * @param {ClassRequestContext} [calledFrom] + * @param {'asc' | 'desc'} [sortOrder] + * @param {'name' | 'externalSourceName'} [sortBy] + * @param {SchoolYearQueryType} [type] + * @param {ClassRequestContext} [calledFrom] * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -11310,9 +11310,9 @@ export const GroupApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Get a group by id. - * @param {string} groupId + * @param {string} groupId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -11331,14 +11331,14 @@ export const GroupApiFactory = function (configuration?: Configuration, basePath const localVarFp = GroupApiFp(configuration) return { /** - * + * * @summary Get a list of classes and groups of type class for the current user. * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. - * @param {'asc' | 'desc'} [sortOrder] - * @param {'name' | 'externalSourceName'} [sortBy] - * @param {SchoolYearQueryType} [type] - * @param {ClassRequestContext} [calledFrom] + * @param {'asc' | 'desc'} [sortOrder] + * @param {'name' | 'externalSourceName'} [sortBy] + * @param {SchoolYearQueryType} [type] + * @param {ClassRequestContext} [calledFrom] * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -11346,9 +11346,9 @@ export const GroupApiFactory = function (configuration?: Configuration, basePath return localVarFp.groupControllerFindClasses(skip, limit, sortOrder, sortBy, type, calledFrom, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Get a group by id. - * @param {string} groupId + * @param {string} groupId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -11365,14 +11365,14 @@ export const GroupApiFactory = function (configuration?: Configuration, basePath */ export interface GroupApiInterface { /** - * + * * @summary Get a list of classes and groups of type class for the current user. * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. - * @param {'asc' | 'desc'} [sortOrder] - * @param {'name' | 'externalSourceName'} [sortBy] - * @param {SchoolYearQueryType} [type] - * @param {ClassRequestContext} [calledFrom] + * @param {'asc' | 'desc'} [sortOrder] + * @param {'name' | 'externalSourceName'} [sortBy] + * @param {SchoolYearQueryType} [type] + * @param {ClassRequestContext} [calledFrom] * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof GroupApiInterface @@ -11380,9 +11380,9 @@ export interface GroupApiInterface { groupControllerFindClasses(skip?: number, limit?: number, sortOrder?: 'asc' | 'desc', sortBy?: 'name' | 'externalSourceName', type?: SchoolYearQueryType, calledFrom?: ClassRequestContext, options?: any): AxiosPromise; /** - * + * * @summary Get a group by id. - * @param {string} groupId + * @param {string} groupId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof GroupApiInterface @@ -11399,14 +11399,14 @@ export interface GroupApiInterface { */ export class GroupApi extends BaseAPI implements GroupApiInterface { /** - * + * * @summary Get a list of classes and groups of type class for the current user. * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. - * @param {'asc' | 'desc'} [sortOrder] - * @param {'name' | 'externalSourceName'} [sortBy] - * @param {SchoolYearQueryType} [type] - * @param {ClassRequestContext} [calledFrom] + * @param {'asc' | 'desc'} [sortOrder] + * @param {'name' | 'externalSourceName'} [sortBy] + * @param {SchoolYearQueryType} [type] + * @param {ClassRequestContext} [calledFrom] * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof GroupApi @@ -11416,9 +11416,9 @@ export class GroupApi extends BaseAPI implements GroupApiInterface { } /** - * + * * @summary Get a group by id. - * @param {string} groupId + * @param {string} groupId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof GroupApi @@ -11436,7 +11436,7 @@ export class GroupApi extends BaseAPI implements GroupApiInterface { export const LessonApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @param {string} lessonId The id of the lesson. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11462,7 +11462,7 @@ export const LessonApiAxiosParamCreator = function (configuration?: Configuratio await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -11473,7 +11473,7 @@ export const LessonApiAxiosParamCreator = function (configuration?: Configuratio }; }, /** - * + * * @param {string} courseId The id of the course the lesson belongs to. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11499,7 +11499,7 @@ export const LessonApiAxiosParamCreator = function (configuration?: Configuratio await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -11510,7 +11510,7 @@ export const LessonApiAxiosParamCreator = function (configuration?: Configuratio }; }, /** - * + * * @param {string} lessonId The id of the lesson. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11536,7 +11536,7 @@ export const LessonApiAxiosParamCreator = function (configuration?: Configuratio await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -11557,7 +11557,7 @@ export const LessonApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = LessonApiAxiosParamCreator(configuration) return { /** - * + * * @param {string} lessonId The id of the lesson. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11567,7 +11567,7 @@ export const LessonApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} courseId The id of the course the lesson belongs to. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11577,7 +11577,7 @@ export const LessonApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} lessonId The id of the lesson. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11597,7 +11597,7 @@ export const LessonApiFactory = function (configuration?: Configuration, basePat const localVarFp = LessonApiFp(configuration) return { /** - * + * * @param {string} lessonId The id of the lesson. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11606,7 +11606,7 @@ export const LessonApiFactory = function (configuration?: Configuration, basePat return localVarFp.lessonControllerDelete(lessonId, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} courseId The id of the course the lesson belongs to. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11615,7 +11615,7 @@ export const LessonApiFactory = function (configuration?: Configuration, basePat return localVarFp.lessonControllerGetCourseLessons(courseId, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} lessonId The id of the lesson. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11633,7 +11633,7 @@ export const LessonApiFactory = function (configuration?: Configuration, basePat */ export interface LessonApiInterface { /** - * + * * @param {string} lessonId The id of the lesson. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11642,7 +11642,7 @@ export interface LessonApiInterface { lessonControllerDelete(lessonId: string, options?: any): AxiosPromise; /** - * + * * @param {string} courseId The id of the course the lesson belongs to. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11651,7 +11651,7 @@ export interface LessonApiInterface { lessonControllerGetCourseLessons(courseId: string, options?: any): AxiosPromise; /** - * + * * @param {string} lessonId The id of the lesson. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11669,7 +11669,7 @@ export interface LessonApiInterface { */ export class LessonApi extends BaseAPI implements LessonApiInterface { /** - * + * * @param {string} lessonId The id of the lesson. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11680,7 +11680,7 @@ export class LessonApi extends BaseAPI implements LessonApiInterface { } /** - * + * * @param {string} courseId The id of the course the lesson belongs to. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11691,7 +11691,7 @@ export class LessonApi extends BaseAPI implements LessonApiInterface { } /** - * + * * @param {string} lessonId The id of the lesson. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11710,7 +11710,7 @@ export class LessonApi extends BaseAPI implements LessonApiInterface { export const MeApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @summary Resolve jwt and response informations about the owner of the jwt. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11733,7 +11733,7 @@ export const MeApiAxiosParamCreator = function (configuration?: Configuration) { await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -11754,7 +11754,7 @@ export const MeApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = MeApiAxiosParamCreator(configuration) return { /** - * + * * @summary Resolve jwt and response informations about the owner of the jwt. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11774,7 +11774,7 @@ export const MeApiFactory = function (configuration?: Configuration, basePath?: const localVarFp = MeApiFp(configuration) return { /** - * + * * @summary Resolve jwt and response informations about the owner of the jwt. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11792,7 +11792,7 @@ export const MeApiFactory = function (configuration?: Configuration, basePath?: */ export interface MeApiInterface { /** - * + * * @summary Resolve jwt and response informations about the owner of the jwt. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11810,7 +11810,7 @@ export interface MeApiInterface { */ export class MeApi extends BaseAPI implements MeApiInterface { /** - * + * * @summary Resolve jwt and response informations about the owner of the jwt. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -11829,9 +11829,9 @@ export class MeApi extends BaseAPI implements MeApiInterface { export const MetaTagExtractorApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @summary return extract meta tags - * @param {GetMetaTagDataBody} getMetaTagDataBody + * @param {GetMetaTagDataBody} getMetaTagDataBody * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -11855,7 +11855,7 @@ export const MetaTagExtractorApiAxiosParamCreator = function (configuration?: Co await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -11879,9 +11879,9 @@ export const MetaTagExtractorApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = MetaTagExtractorApiAxiosParamCreator(configuration) return { /** - * + * * @summary return extract meta tags - * @param {GetMetaTagDataBody} getMetaTagDataBody + * @param {GetMetaTagDataBody} getMetaTagDataBody * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -11900,9 +11900,9 @@ export const MetaTagExtractorApiFactory = function (configuration?: Configuratio const localVarFp = MetaTagExtractorApiFp(configuration) return { /** - * + * * @summary return extract meta tags - * @param {GetMetaTagDataBody} getMetaTagDataBody + * @param {GetMetaTagDataBody} getMetaTagDataBody * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -11919,9 +11919,9 @@ export const MetaTagExtractorApiFactory = function (configuration?: Configuratio */ export interface MetaTagExtractorApiInterface { /** - * + * * @summary return extract meta tags - * @param {GetMetaTagDataBody} getMetaTagDataBody + * @param {GetMetaTagDataBody} getMetaTagDataBody * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof MetaTagExtractorApiInterface @@ -11938,9 +11938,9 @@ export interface MetaTagExtractorApiInterface { */ export class MetaTagExtractorApi extends BaseAPI implements MetaTagExtractorApiInterface { /** - * + * * @summary return extract meta tags - * @param {GetMetaTagDataBody} getMetaTagDataBody + * @param {GetMetaTagDataBody} getMetaTagDataBody * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof MetaTagExtractorApi @@ -11959,7 +11959,7 @@ export const NewsApiAxiosParamCreator = function (configuration?: Configuration) return { /** * Create a news by a user in a given scope (school or team). - * @param {CreateNewsParams} createNewsParams + * @param {CreateNewsParams} createNewsParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -11983,7 +11983,7 @@ export const NewsApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -12023,7 +12023,7 @@ export const NewsApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -12081,7 +12081,7 @@ export const NewsApiAxiosParamCreator = function (configuration?: Configuration) } - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -12118,7 +12118,7 @@ export const NewsApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -12131,7 +12131,7 @@ export const NewsApiAxiosParamCreator = function (configuration?: Configuration) /** * Update properties of a news. * @param {string} newsId The id of the news. - * @param {UpdateNewsParams} updateNewsParams + * @param {UpdateNewsParams} updateNewsParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -12158,7 +12158,7 @@ export const NewsApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -12223,7 +12223,7 @@ export const NewsApiAxiosParamCreator = function (configuration?: Configuration) } - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -12245,7 +12245,7 @@ export const NewsApiFp = function(configuration?: Configuration) { return { /** * Create a news by a user in a given scope (school or team). - * @param {CreateNewsParams} createNewsParams + * @param {CreateNewsParams} createNewsParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -12290,7 +12290,7 @@ export const NewsApiFp = function(configuration?: Configuration) { /** * Update properties of a news. * @param {string} newsId The id of the news. - * @param {UpdateNewsParams} updateNewsParams + * @param {UpdateNewsParams} updateNewsParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -12325,7 +12325,7 @@ export const NewsApiFactory = function (configuration?: Configuration, basePath? return { /** * Create a news by a user in a given scope (school or team). - * @param {CreateNewsParams} createNewsParams + * @param {CreateNewsParams} createNewsParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -12366,7 +12366,7 @@ export const NewsApiFactory = function (configuration?: Configuration, basePath? /** * Update properties of a news. * @param {string} newsId The id of the news. - * @param {UpdateNewsParams} updateNewsParams + * @param {UpdateNewsParams} updateNewsParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -12398,7 +12398,7 @@ export const NewsApiFactory = function (configuration?: Configuration, basePath? export interface NewsApiInterface { /** * Create a news by a user in a given scope (school or team). - * @param {CreateNewsParams} createNewsParams + * @param {CreateNewsParams} createNewsParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof NewsApiInterface @@ -12439,7 +12439,7 @@ export interface NewsApiInterface { /** * Update properties of a news. * @param {string} newsId The id of the news. - * @param {UpdateNewsParams} updateNewsParams + * @param {UpdateNewsParams} updateNewsParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof NewsApiInterface @@ -12471,7 +12471,7 @@ export interface NewsApiInterface { export class NewsApi extends BaseAPI implements NewsApiInterface { /** * Create a news by a user in a given scope (school or team). - * @param {CreateNewsParams} createNewsParams + * @param {CreateNewsParams} createNewsParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof NewsApi @@ -12520,7 +12520,7 @@ export class NewsApi extends BaseAPI implements NewsApiInterface { /** * Update properties of a news. * @param {string} newsId The id of the news. - * @param {UpdateNewsParams} updateNewsParams + * @param {UpdateNewsParams} updateNewsParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof NewsApi @@ -12554,7 +12554,7 @@ export class NewsApi extends BaseAPI implements NewsApiInterface { export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @param {string} challenge The login challenge. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -12580,7 +12580,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -12591,8 +12591,8 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio }; }, /** - * - * @param {OauthClientBody} oauthClientBody + * + * @param {OauthClientBody} oauthClientBody * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -12616,7 +12616,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -12630,7 +12630,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio }; }, /** - * + * * @param {string} id The Oauth Client Id. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -12656,7 +12656,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -12667,7 +12667,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio }; }, /** - * + * * @param {string} challenge The login challenge. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -12693,7 +12693,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -12704,7 +12704,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio }; }, /** - * + * * @param {string} challenge The login challenge. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -12726,7 +12726,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio const localVarQueryParameter = {} as any; - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -12737,7 +12737,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio }; }, /** - * + * * @param {string} id The Oauth Client Id. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -12763,7 +12763,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -12774,7 +12774,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio }; }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -12792,7 +12792,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio const localVarQueryParameter = {} as any; - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -12803,7 +12803,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio }; }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -12825,7 +12825,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -12836,7 +12836,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio }; }, /** - * + * * @param {number} limit The maximum amount of clients to returned, upper bound is 500 clients. * @param {number} offset The offset from where to start looking. * @param {string} clientName The name of the clients to filter by. @@ -12874,7 +12874,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -12885,9 +12885,9 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio }; }, /** - * + * * @param {string} challenge The login challenge. - * @param {ConsentRequestBody} consentRequestBody + * @param {ConsentRequestBody} consentRequestBody * @param {boolean} [accept] Accepts the login request. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -12919,7 +12919,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio } - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -12933,9 +12933,9 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio }; }, /** - * + * * @param {string} challenge The login challenge. - * @param {LoginRequestBody} loginRequestBody + * @param {LoginRequestBody} loginRequestBody * @param {boolean} [accept] Accepts the login request. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -12967,7 +12967,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio } - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -12981,7 +12981,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio }; }, /** - * + * * @param {string} client The Oauth2 client id. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13007,7 +13007,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -13018,9 +13018,9 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio }; }, /** - * + * * @param {string} id The Oauth Client Id. - * @param {OauthClientBody} oauthClientBody + * @param {OauthClientBody} oauthClientBody * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -13047,7 +13047,7 @@ export const Oauth2ApiAxiosParamCreator = function (configuration?: Configuratio await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -13071,7 +13071,7 @@ export const Oauth2ApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = Oauth2ApiAxiosParamCreator(configuration) return { /** - * + * * @param {string} challenge The login challenge. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13081,8 +13081,8 @@ export const Oauth2ApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * - * @param {OauthClientBody} oauthClientBody + * + * @param {OauthClientBody} oauthClientBody * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -13091,7 +13091,7 @@ export const Oauth2ApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} id The Oauth Client Id. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13101,7 +13101,7 @@ export const Oauth2ApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} challenge The login challenge. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13111,7 +13111,7 @@ export const Oauth2ApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} challenge The login challenge. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13121,7 +13121,7 @@ export const Oauth2ApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} id The Oauth Client Id. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13131,7 +13131,7 @@ export const Oauth2ApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -13140,7 +13140,7 @@ export const Oauth2ApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -13149,7 +13149,7 @@ export const Oauth2ApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {number} limit The maximum amount of clients to returned, upper bound is 500 clients. * @param {number} offset The offset from where to start looking. * @param {string} clientName The name of the clients to filter by. @@ -13162,9 +13162,9 @@ export const Oauth2ApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} challenge The login challenge. - * @param {ConsentRequestBody} consentRequestBody + * @param {ConsentRequestBody} consentRequestBody * @param {boolean} [accept] Accepts the login request. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13174,9 +13174,9 @@ export const Oauth2ApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} challenge The login challenge. - * @param {LoginRequestBody} loginRequestBody + * @param {LoginRequestBody} loginRequestBody * @param {boolean} [accept] Accepts the login request. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13186,7 +13186,7 @@ export const Oauth2ApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} client The Oauth2 client id. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13196,9 +13196,9 @@ export const Oauth2ApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} id The Oauth Client Id. - * @param {OauthClientBody} oauthClientBody + * @param {OauthClientBody} oauthClientBody * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -13217,7 +13217,7 @@ export const Oauth2ApiFactory = function (configuration?: Configuration, basePat const localVarFp = Oauth2ApiFp(configuration) return { /** - * + * * @param {string} challenge The login challenge. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13226,8 +13226,8 @@ export const Oauth2ApiFactory = function (configuration?: Configuration, basePat return localVarFp.oauthProviderControllerAcceptLogoutRequest(challenge, options).then((request) => request(axios, basePath)); }, /** - * - * @param {OauthClientBody} oauthClientBody + * + * @param {OauthClientBody} oauthClientBody * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -13235,7 +13235,7 @@ export const Oauth2ApiFactory = function (configuration?: Configuration, basePat return localVarFp.oauthProviderControllerCreateOAuth2Client(oauthClientBody, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} id The Oauth Client Id. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13244,7 +13244,7 @@ export const Oauth2ApiFactory = function (configuration?: Configuration, basePat return localVarFp.oauthProviderControllerDeleteOAuth2Client(id, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} challenge The login challenge. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13253,7 +13253,7 @@ export const Oauth2ApiFactory = function (configuration?: Configuration, basePat return localVarFp.oauthProviderControllerGetConsentRequest(challenge, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} challenge The login challenge. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13262,7 +13262,7 @@ export const Oauth2ApiFactory = function (configuration?: Configuration, basePat return localVarFp.oauthProviderControllerGetLoginRequest(challenge, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} id The Oauth Client Id. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13271,7 +13271,7 @@ export const Oauth2ApiFactory = function (configuration?: Configuration, basePat return localVarFp.oauthProviderControllerGetOAuth2Client(id, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -13279,7 +13279,7 @@ export const Oauth2ApiFactory = function (configuration?: Configuration, basePat return localVarFp.oauthProviderControllerGetUrl(options).then((request) => request(axios, basePath)); }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -13287,7 +13287,7 @@ export const Oauth2ApiFactory = function (configuration?: Configuration, basePat return localVarFp.oauthProviderControllerListConsentSessions(options).then((request) => request(axios, basePath)); }, /** - * + * * @param {number} limit The maximum amount of clients to returned, upper bound is 500 clients. * @param {number} offset The offset from where to start looking. * @param {string} clientName The name of the clients to filter by. @@ -13299,9 +13299,9 @@ export const Oauth2ApiFactory = function (configuration?: Configuration, basePat return localVarFp.oauthProviderControllerListOAuth2Clients(limit, offset, clientName, owner, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} challenge The login challenge. - * @param {ConsentRequestBody} consentRequestBody + * @param {ConsentRequestBody} consentRequestBody * @param {boolean} [accept] Accepts the login request. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13310,9 +13310,9 @@ export const Oauth2ApiFactory = function (configuration?: Configuration, basePat return localVarFp.oauthProviderControllerPatchConsentRequest(challenge, consentRequestBody, accept, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} challenge The login challenge. - * @param {LoginRequestBody} loginRequestBody + * @param {LoginRequestBody} loginRequestBody * @param {boolean} [accept] Accepts the login request. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13321,7 +13321,7 @@ export const Oauth2ApiFactory = function (configuration?: Configuration, basePat return localVarFp.oauthProviderControllerPatchLoginRequest(challenge, loginRequestBody, accept, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} client The Oauth2 client id. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13330,9 +13330,9 @@ export const Oauth2ApiFactory = function (configuration?: Configuration, basePat return localVarFp.oauthProviderControllerRevokeConsentSession(client, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} id The Oauth Client Id. - * @param {OauthClientBody} oauthClientBody + * @param {OauthClientBody} oauthClientBody * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -13349,7 +13349,7 @@ export const Oauth2ApiFactory = function (configuration?: Configuration, basePat */ export interface Oauth2ApiInterface { /** - * + * * @param {string} challenge The login challenge. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13358,8 +13358,8 @@ export interface Oauth2ApiInterface { oauthProviderControllerAcceptLogoutRequest(challenge: string, options?: any): AxiosPromise; /** - * - * @param {OauthClientBody} oauthClientBody + * + * @param {OauthClientBody} oauthClientBody * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof Oauth2ApiInterface @@ -13367,7 +13367,7 @@ export interface Oauth2ApiInterface { oauthProviderControllerCreateOAuth2Client(oauthClientBody: OauthClientBody, options?: any): AxiosPromise; /** - * + * * @param {string} id The Oauth Client Id. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13376,7 +13376,7 @@ export interface Oauth2ApiInterface { oauthProviderControllerDeleteOAuth2Client(id: string, options?: any): AxiosPromise; /** - * + * * @param {string} challenge The login challenge. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13385,7 +13385,7 @@ export interface Oauth2ApiInterface { oauthProviderControllerGetConsentRequest(challenge: string, options?: any): AxiosPromise; /** - * + * * @param {string} challenge The login challenge. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13394,7 +13394,7 @@ export interface Oauth2ApiInterface { oauthProviderControllerGetLoginRequest(challenge: string, options?: any): AxiosPromise; /** - * + * * @param {string} id The Oauth Client Id. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13403,7 +13403,7 @@ export interface Oauth2ApiInterface { oauthProviderControllerGetOAuth2Client(id: string, options?: any): AxiosPromise; /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof Oauth2ApiInterface @@ -13411,7 +13411,7 @@ export interface Oauth2ApiInterface { oauthProviderControllerGetUrl(options?: any): AxiosPromise; /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof Oauth2ApiInterface @@ -13419,7 +13419,7 @@ export interface Oauth2ApiInterface { oauthProviderControllerListConsentSessions(options?: any): AxiosPromise>; /** - * + * * @param {number} limit The maximum amount of clients to returned, upper bound is 500 clients. * @param {number} offset The offset from where to start looking. * @param {string} clientName The name of the clients to filter by. @@ -13431,9 +13431,9 @@ export interface Oauth2ApiInterface { oauthProviderControllerListOAuth2Clients(limit: number, offset: number, clientName: string, owner: string, options?: any): AxiosPromise>; /** - * + * * @param {string} challenge The login challenge. - * @param {ConsentRequestBody} consentRequestBody + * @param {ConsentRequestBody} consentRequestBody * @param {boolean} [accept] Accepts the login request. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13442,9 +13442,9 @@ export interface Oauth2ApiInterface { oauthProviderControllerPatchConsentRequest(challenge: string, consentRequestBody: ConsentRequestBody, accept?: boolean, options?: any): AxiosPromise; /** - * + * * @param {string} challenge The login challenge. - * @param {LoginRequestBody} loginRequestBody + * @param {LoginRequestBody} loginRequestBody * @param {boolean} [accept] Accepts the login request. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13453,7 +13453,7 @@ export interface Oauth2ApiInterface { oauthProviderControllerPatchLoginRequest(challenge: string, loginRequestBody: LoginRequestBody, accept?: boolean, options?: any): AxiosPromise; /** - * + * * @param {string} client The Oauth2 client id. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13462,9 +13462,9 @@ export interface Oauth2ApiInterface { oauthProviderControllerRevokeConsentSession(client: string, options?: any): AxiosPromise; /** - * + * * @param {string} id The Oauth Client Id. - * @param {OauthClientBody} oauthClientBody + * @param {OauthClientBody} oauthClientBody * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof Oauth2ApiInterface @@ -13481,7 +13481,7 @@ export interface Oauth2ApiInterface { */ export class Oauth2Api extends BaseAPI implements Oauth2ApiInterface { /** - * + * * @param {string} challenge The login challenge. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13492,8 +13492,8 @@ export class Oauth2Api extends BaseAPI implements Oauth2ApiInterface { } /** - * - * @param {OauthClientBody} oauthClientBody + * + * @param {OauthClientBody} oauthClientBody * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof Oauth2Api @@ -13503,7 +13503,7 @@ export class Oauth2Api extends BaseAPI implements Oauth2ApiInterface { } /** - * + * * @param {string} id The Oauth Client Id. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13514,7 +13514,7 @@ export class Oauth2Api extends BaseAPI implements Oauth2ApiInterface { } /** - * + * * @param {string} challenge The login challenge. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13525,7 +13525,7 @@ export class Oauth2Api extends BaseAPI implements Oauth2ApiInterface { } /** - * + * * @param {string} challenge The login challenge. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13536,7 +13536,7 @@ export class Oauth2Api extends BaseAPI implements Oauth2ApiInterface { } /** - * + * * @param {string} id The Oauth Client Id. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13547,7 +13547,7 @@ export class Oauth2Api extends BaseAPI implements Oauth2ApiInterface { } /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof Oauth2Api @@ -13557,7 +13557,7 @@ export class Oauth2Api extends BaseAPI implements Oauth2ApiInterface { } /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof Oauth2Api @@ -13567,7 +13567,7 @@ export class Oauth2Api extends BaseAPI implements Oauth2ApiInterface { } /** - * + * * @param {number} limit The maximum amount of clients to returned, upper bound is 500 clients. * @param {number} offset The offset from where to start looking. * @param {string} clientName The name of the clients to filter by. @@ -13581,9 +13581,9 @@ export class Oauth2Api extends BaseAPI implements Oauth2ApiInterface { } /** - * + * * @param {string} challenge The login challenge. - * @param {ConsentRequestBody} consentRequestBody + * @param {ConsentRequestBody} consentRequestBody * @param {boolean} [accept] Accepts the login request. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13594,9 +13594,9 @@ export class Oauth2Api extends BaseAPI implements Oauth2ApiInterface { } /** - * + * * @param {string} challenge The login challenge. - * @param {LoginRequestBody} loginRequestBody + * @param {LoginRequestBody} loginRequestBody * @param {boolean} [accept] Accepts the login request. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13607,7 +13607,7 @@ export class Oauth2Api extends BaseAPI implements Oauth2ApiInterface { } /** - * + * * @param {string} client The Oauth2 client id. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13618,9 +13618,9 @@ export class Oauth2Api extends BaseAPI implements Oauth2ApiInterface { } /** - * + * * @param {string} id The Oauth Client Id. - * @param {OauthClientBody} oauthClientBody + * @param {OauthClientBody} oauthClientBody * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof Oauth2Api @@ -13638,9 +13638,9 @@ export class Oauth2Api extends BaseAPI implements Oauth2ApiInterface { export const PseudonymApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @summary Returns the related user and tool information to a pseudonym - * @param {string} pseudonym + * @param {string} pseudonym * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -13665,7 +13665,7 @@ export const PseudonymApiAxiosParamCreator = function (configuration?: Configura await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -13686,9 +13686,9 @@ export const PseudonymApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = PseudonymApiAxiosParamCreator(configuration) return { /** - * + * * @summary Returns the related user and tool information to a pseudonym - * @param {string} pseudonym + * @param {string} pseudonym * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -13707,9 +13707,9 @@ export const PseudonymApiFactory = function (configuration?: Configuration, base const localVarFp = PseudonymApiFp(configuration) return { /** - * + * * @summary Returns the related user and tool information to a pseudonym - * @param {string} pseudonym + * @param {string} pseudonym * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -13726,9 +13726,9 @@ export const PseudonymApiFactory = function (configuration?: Configuration, base */ export interface PseudonymApiInterface { /** - * + * * @summary Returns the related user and tool information to a pseudonym - * @param {string} pseudonym + * @param {string} pseudonym * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof PseudonymApiInterface @@ -13745,9 +13745,9 @@ export interface PseudonymApiInterface { */ export class PseudonymApi extends BaseAPI implements PseudonymApiInterface { /** - * + * * @summary Returns the related user and tool information to a pseudonym - * @param {string} pseudonym + * @param {string} pseudonym * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof PseudonymApi @@ -13765,7 +13765,7 @@ export class PseudonymApi extends BaseAPI implements PseudonymApiInterface { export const RoomsApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @param {string} roomId The id of the room. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13791,7 +13791,7 @@ export const RoomsApiAxiosParamCreator = function (configuration?: Configuration await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -13802,9 +13802,9 @@ export const RoomsApiAxiosParamCreator = function (configuration?: Configuration }; }, /** - * + * * @param {string} lessonId The id of the lesson. - * @param {LessonCopyApiParams} lessonCopyApiParams + * @param {LessonCopyApiParams} lessonCopyApiParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -13831,7 +13831,7 @@ export const RoomsApiAxiosParamCreator = function (configuration?: Configuration await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -13845,7 +13845,7 @@ export const RoomsApiAxiosParamCreator = function (configuration?: Configuration }; }, /** - * + * * @param {string} roomId The id of the room. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13871,7 +13871,7 @@ export const RoomsApiAxiosParamCreator = function (configuration?: Configuration await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -13882,10 +13882,10 @@ export const RoomsApiAxiosParamCreator = function (configuration?: Configuration }; }, /** - * + * * @param {string} roomId The id of the room. * @param {string} elementId The id of the element within the room. - * @param {PatchVisibilityParams} patchVisibilityParams + * @param {PatchVisibilityParams} patchVisibilityParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -13915,7 +13915,7 @@ export const RoomsApiAxiosParamCreator = function (configuration?: Configuration await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -13929,9 +13929,9 @@ export const RoomsApiAxiosParamCreator = function (configuration?: Configuration }; }, /** - * + * * @param {string} roomId The id of the room. - * @param {PatchOrderParams} patchOrderParams + * @param {PatchOrderParams} patchOrderParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -13958,7 +13958,7 @@ export const RoomsApiAxiosParamCreator = function (configuration?: Configuration await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -13982,7 +13982,7 @@ export const RoomsApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = RoomsApiAxiosParamCreator(configuration) return { /** - * + * * @param {string} roomId The id of the room. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -13992,9 +13992,9 @@ export const RoomsApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} lessonId The id of the lesson. - * @param {LessonCopyApiParams} lessonCopyApiParams + * @param {LessonCopyApiParams} lessonCopyApiParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14003,7 +14003,7 @@ export const RoomsApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} roomId The id of the room. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -14013,10 +14013,10 @@ export const RoomsApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} roomId The id of the room. * @param {string} elementId The id of the element within the room. - * @param {PatchVisibilityParams} patchVisibilityParams + * @param {PatchVisibilityParams} patchVisibilityParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14025,9 +14025,9 @@ export const RoomsApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} roomId The id of the room. - * @param {PatchOrderParams} patchOrderParams + * @param {PatchOrderParams} patchOrderParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14046,7 +14046,7 @@ export const RoomsApiFactory = function (configuration?: Configuration, basePath const localVarFp = RoomsApiFp(configuration) return { /** - * + * * @param {string} roomId The id of the room. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -14055,9 +14055,9 @@ export const RoomsApiFactory = function (configuration?: Configuration, basePath return localVarFp.roomsControllerCopyCourse(roomId, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} lessonId The id of the lesson. - * @param {LessonCopyApiParams} lessonCopyApiParams + * @param {LessonCopyApiParams} lessonCopyApiParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14065,7 +14065,7 @@ export const RoomsApiFactory = function (configuration?: Configuration, basePath return localVarFp.roomsControllerCopyLesson(lessonId, lessonCopyApiParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} roomId The id of the room. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -14074,10 +14074,10 @@ export const RoomsApiFactory = function (configuration?: Configuration, basePath return localVarFp.roomsControllerGetRoomBoard(roomId, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} roomId The id of the room. * @param {string} elementId The id of the element within the room. - * @param {PatchVisibilityParams} patchVisibilityParams + * @param {PatchVisibilityParams} patchVisibilityParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14085,9 +14085,9 @@ export const RoomsApiFactory = function (configuration?: Configuration, basePath return localVarFp.roomsControllerPatchElementVisibility(roomId, elementId, patchVisibilityParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} roomId The id of the room. - * @param {PatchOrderParams} patchOrderParams + * @param {PatchOrderParams} patchOrderParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14104,7 +14104,7 @@ export const RoomsApiFactory = function (configuration?: Configuration, basePath */ export interface RoomsApiInterface { /** - * + * * @param {string} roomId The id of the room. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -14113,9 +14113,9 @@ export interface RoomsApiInterface { roomsControllerCopyCourse(roomId: string, options?: any): AxiosPromise; /** - * + * * @param {string} lessonId The id of the lesson. - * @param {LessonCopyApiParams} lessonCopyApiParams + * @param {LessonCopyApiParams} lessonCopyApiParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof RoomsApiInterface @@ -14123,7 +14123,7 @@ export interface RoomsApiInterface { roomsControllerCopyLesson(lessonId: string, lessonCopyApiParams: LessonCopyApiParams, options?: any): AxiosPromise; /** - * + * * @param {string} roomId The id of the room. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -14132,10 +14132,10 @@ export interface RoomsApiInterface { roomsControllerGetRoomBoard(roomId: string, options?: any): AxiosPromise; /** - * + * * @param {string} roomId The id of the room. * @param {string} elementId The id of the element within the room. - * @param {PatchVisibilityParams} patchVisibilityParams + * @param {PatchVisibilityParams} patchVisibilityParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof RoomsApiInterface @@ -14143,9 +14143,9 @@ export interface RoomsApiInterface { roomsControllerPatchElementVisibility(roomId: string, elementId: string, patchVisibilityParams: PatchVisibilityParams, options?: any): AxiosPromise; /** - * + * * @param {string} roomId The id of the room. - * @param {PatchOrderParams} patchOrderParams + * @param {PatchOrderParams} patchOrderParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof RoomsApiInterface @@ -14162,7 +14162,7 @@ export interface RoomsApiInterface { */ export class RoomsApi extends BaseAPI implements RoomsApiInterface { /** - * + * * @param {string} roomId The id of the room. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -14173,9 +14173,9 @@ export class RoomsApi extends BaseAPI implements RoomsApiInterface { } /** - * + * * @param {string} lessonId The id of the lesson. - * @param {LessonCopyApiParams} lessonCopyApiParams + * @param {LessonCopyApiParams} lessonCopyApiParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof RoomsApi @@ -14185,7 +14185,7 @@ export class RoomsApi extends BaseAPI implements RoomsApiInterface { } /** - * + * * @param {string} roomId The id of the room. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -14196,10 +14196,10 @@ export class RoomsApi extends BaseAPI implements RoomsApiInterface { } /** - * + * * @param {string} roomId The id of the room. * @param {string} elementId The id of the element within the room. - * @param {PatchVisibilityParams} patchVisibilityParams + * @param {PatchVisibilityParams} patchVisibilityParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof RoomsApi @@ -14209,9 +14209,9 @@ export class RoomsApi extends BaseAPI implements RoomsApiInterface { } /** - * + * * @param {string} roomId The id of the room. - * @param {PatchOrderParams} patchOrderParams + * @param {PatchOrderParams} patchOrderParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof RoomsApi @@ -14229,8 +14229,8 @@ export class RoomsApi extends BaseAPI implements RoomsApiInterface { export const SSOApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * - * @param {string} oauthClientId + * + * @param {string} oauthClientId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14255,7 +14255,7 @@ export const SSOApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -14266,8 +14266,8 @@ export const SSOApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * - * @param {string} oauthClientId + * + * @param {string} oauthClientId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14292,7 +14292,7 @@ export const SSOApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -14313,8 +14313,8 @@ export const SSOApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = SSOApiAxiosParamCreator(configuration) return { /** - * - * @param {string} oauthClientId + * + * @param {string} oauthClientId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14323,8 +14323,8 @@ export const SSOApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * - * @param {string} oauthClientId + * + * @param {string} oauthClientId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14343,8 +14343,8 @@ export const SSOApiFactory = function (configuration?: Configuration, basePath?: const localVarFp = SSOApiFp(configuration) return { /** - * - * @param {string} oauthClientId + * + * @param {string} oauthClientId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14352,8 +14352,8 @@ export const SSOApiFactory = function (configuration?: Configuration, basePath?: return localVarFp.oauthSSOControllerGetHydraOauthToken(oauthClientId, options).then((request) => request(axios, basePath)); }, /** - * - * @param {string} oauthClientId + * + * @param {string} oauthClientId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14370,8 +14370,8 @@ export const SSOApiFactory = function (configuration?: Configuration, basePath?: */ export interface SSOApiInterface { /** - * - * @param {string} oauthClientId + * + * @param {string} oauthClientId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SSOApiInterface @@ -14379,8 +14379,8 @@ export interface SSOApiInterface { oauthSSOControllerGetHydraOauthToken(oauthClientId: string, options?: any): AxiosPromise; /** - * - * @param {string} oauthClientId + * + * @param {string} oauthClientId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SSOApiInterface @@ -14397,8 +14397,8 @@ export interface SSOApiInterface { */ export class SSOApi extends BaseAPI implements SSOApiInterface { /** - * - * @param {string} oauthClientId + * + * @param {string} oauthClientId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SSOApi @@ -14408,8 +14408,8 @@ export class SSOApi extends BaseAPI implements SSOApiInterface { } /** - * - * @param {string} oauthClientId + * + * @param {string} oauthClientId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SSOApi @@ -14427,8 +14427,8 @@ export class SSOApi extends BaseAPI implements SSOApiInterface { export const SchoolApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * - * @param {string} schoolId + * + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14449,7 +14449,7 @@ export const SchoolApiAxiosParamCreator = function (configuration?: Configuratio const localVarQueryParameter = {} as any; - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -14461,8 +14461,8 @@ export const SchoolApiAxiosParamCreator = function (configuration?: Configuratio }, /** * Gets all provisioning options for a system at a school - * @param {string} schoolId - * @param {string} systemId + * @param {string} schoolId + * @param {string} systemId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14490,7 +14490,7 @@ export const SchoolApiAxiosParamCreator = function (configuration?: Configuratio await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -14501,8 +14501,8 @@ export const SchoolApiAxiosParamCreator = function (configuration?: Configuratio }; }, /** - * - * @param {string} schoolId + * + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14527,7 +14527,7 @@ export const SchoolApiAxiosParamCreator = function (configuration?: Configuratio await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -14538,8 +14538,8 @@ export const SchoolApiAxiosParamCreator = function (configuration?: Configuratio }; }, /** - * - * @param {string} [federalStateId] + * + * @param {string} [federalStateId] * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14565,7 +14565,7 @@ export const SchoolApiAxiosParamCreator = function (configuration?: Configuratio } - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -14576,7 +14576,7 @@ export const SchoolApiAxiosParamCreator = function (configuration?: Configuratio }; }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14594,7 +14594,7 @@ export const SchoolApiAxiosParamCreator = function (configuration?: Configuratio const localVarQueryParameter = {} as any; - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -14606,9 +14606,9 @@ export const SchoolApiAxiosParamCreator = function (configuration?: Configuratio }, /** * Sets all provisioning options for a system at a school - * @param {string} schoolId - * @param {string} systemId - * @param {SchulConneXProvisioningOptionsParams} schulConneXProvisioningOptionsParams + * @param {string} schoolId + * @param {string} systemId + * @param {SchulConneXProvisioningOptionsParams} schulConneXProvisioningOptionsParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14638,7 +14638,7 @@ export const SchoolApiAxiosParamCreator = function (configuration?: Configuratio await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -14652,10 +14652,10 @@ export const SchoolApiAxiosParamCreator = function (configuration?: Configuratio }; }, /** - * + * * @summary Updating school props by school administrators - * @param {string} schoolId - * @param {SchoolUpdateBodyParams} schoolUpdateBodyParams + * @param {string} schoolId + * @param {SchoolUpdateBodyParams} schoolUpdateBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14682,7 +14682,7 @@ export const SchoolApiAxiosParamCreator = function (configuration?: Configuratio await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -14706,8 +14706,8 @@ export const SchoolApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = SchoolApiAxiosParamCreator(configuration) return { /** - * - * @param {string} schoolId + * + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14717,8 +14717,8 @@ export const SchoolApiFp = function(configuration?: Configuration) { }, /** * Gets all provisioning options for a system at a school - * @param {string} schoolId - * @param {string} systemId + * @param {string} schoolId + * @param {string} systemId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14727,8 +14727,8 @@ export const SchoolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * - * @param {string} schoolId + * + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14737,8 +14737,8 @@ export const SchoolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * - * @param {string} [federalStateId] + * + * @param {string} [federalStateId] * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14747,7 +14747,7 @@ export const SchoolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14757,9 +14757,9 @@ export const SchoolApiFp = function(configuration?: Configuration) { }, /** * Sets all provisioning options for a system at a school - * @param {string} schoolId - * @param {string} systemId - * @param {SchulConneXProvisioningOptionsParams} schulConneXProvisioningOptionsParams + * @param {string} schoolId + * @param {string} systemId + * @param {SchulConneXProvisioningOptionsParams} schulConneXProvisioningOptionsParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14768,10 +14768,10 @@ export const SchoolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Updating school props by school administrators - * @param {string} schoolId - * @param {SchoolUpdateBodyParams} schoolUpdateBodyParams + * @param {string} schoolId + * @param {SchoolUpdateBodyParams} schoolUpdateBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14790,8 +14790,8 @@ export const SchoolApiFactory = function (configuration?: Configuration, basePat const localVarFp = SchoolApiFp(configuration) return { /** - * - * @param {string} schoolId + * + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14800,8 +14800,8 @@ export const SchoolApiFactory = function (configuration?: Configuration, basePat }, /** * Gets all provisioning options for a system at a school - * @param {string} schoolId - * @param {string} systemId + * @param {string} schoolId + * @param {string} systemId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14809,8 +14809,8 @@ export const SchoolApiFactory = function (configuration?: Configuration, basePat return localVarFp.schoolControllerGetProvisioningOptions(schoolId, systemId, options).then((request) => request(axios, basePath)); }, /** - * - * @param {string} schoolId + * + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14818,8 +14818,8 @@ export const SchoolApiFactory = function (configuration?: Configuration, basePat return localVarFp.schoolControllerGetSchoolById(schoolId, options).then((request) => request(axios, basePath)); }, /** - * - * @param {string} [federalStateId] + * + * @param {string} [federalStateId] * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14827,7 +14827,7 @@ export const SchoolApiFactory = function (configuration?: Configuration, basePat return localVarFp.schoolControllerGetSchoolListForExternalInvite(federalStateId, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14836,9 +14836,9 @@ export const SchoolApiFactory = function (configuration?: Configuration, basePat }, /** * Sets all provisioning options for a system at a school - * @param {string} schoolId - * @param {string} systemId - * @param {SchulConneXProvisioningOptionsParams} schulConneXProvisioningOptionsParams + * @param {string} schoolId + * @param {string} systemId + * @param {SchulConneXProvisioningOptionsParams} schulConneXProvisioningOptionsParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14846,10 +14846,10 @@ export const SchoolApiFactory = function (configuration?: Configuration, basePat return localVarFp.schoolControllerSetProvisioningOptions(schoolId, systemId, schulConneXProvisioningOptionsParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Updating school props by school administrators - * @param {string} schoolId - * @param {SchoolUpdateBodyParams} schoolUpdateBodyParams + * @param {string} schoolId + * @param {SchoolUpdateBodyParams} schoolUpdateBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -14866,8 +14866,8 @@ export const SchoolApiFactory = function (configuration?: Configuration, basePat */ export interface SchoolApiInterface { /** - * - * @param {string} schoolId + * + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SchoolApiInterface @@ -14876,8 +14876,8 @@ export interface SchoolApiInterface { /** * Gets all provisioning options for a system at a school - * @param {string} schoolId - * @param {string} systemId + * @param {string} schoolId + * @param {string} systemId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SchoolApiInterface @@ -14885,8 +14885,8 @@ export interface SchoolApiInterface { schoolControllerGetProvisioningOptions(schoolId: string, systemId: string, options?: any): AxiosPromise; /** - * - * @param {string} schoolId + * + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SchoolApiInterface @@ -14894,8 +14894,8 @@ export interface SchoolApiInterface { schoolControllerGetSchoolById(schoolId: string, options?: any): AxiosPromise; /** - * - * @param {string} [federalStateId] + * + * @param {string} [federalStateId] * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SchoolApiInterface @@ -14903,7 +14903,7 @@ export interface SchoolApiInterface { schoolControllerGetSchoolListForExternalInvite(federalStateId?: string, options?: any): AxiosPromise>; /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SchoolApiInterface @@ -14912,9 +14912,9 @@ export interface SchoolApiInterface { /** * Sets all provisioning options for a system at a school - * @param {string} schoolId - * @param {string} systemId - * @param {SchulConneXProvisioningOptionsParams} schulConneXProvisioningOptionsParams + * @param {string} schoolId + * @param {string} systemId + * @param {SchulConneXProvisioningOptionsParams} schulConneXProvisioningOptionsParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SchoolApiInterface @@ -14922,10 +14922,10 @@ export interface SchoolApiInterface { schoolControllerSetProvisioningOptions(schoolId: string, systemId: string, schulConneXProvisioningOptionsParams: SchulConneXProvisioningOptionsParams, options?: any): AxiosPromise; /** - * + * * @summary Updating school props by school administrators - * @param {string} schoolId - * @param {SchoolUpdateBodyParams} schoolUpdateBodyParams + * @param {string} schoolId + * @param {SchoolUpdateBodyParams} schoolUpdateBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SchoolApiInterface @@ -14942,8 +14942,8 @@ export interface SchoolApiInterface { */ export class SchoolApi extends BaseAPI implements SchoolApiInterface { /** - * - * @param {string} schoolId + * + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SchoolApi @@ -14954,8 +14954,8 @@ export class SchoolApi extends BaseAPI implements SchoolApiInterface { /** * Gets all provisioning options for a system at a school - * @param {string} schoolId - * @param {string} systemId + * @param {string} schoolId + * @param {string} systemId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SchoolApi @@ -14965,8 +14965,8 @@ export class SchoolApi extends BaseAPI implements SchoolApiInterface { } /** - * - * @param {string} schoolId + * + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SchoolApi @@ -14976,8 +14976,8 @@ export class SchoolApi extends BaseAPI implements SchoolApiInterface { } /** - * - * @param {string} [federalStateId] + * + * @param {string} [federalStateId] * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SchoolApi @@ -14987,7 +14987,7 @@ export class SchoolApi extends BaseAPI implements SchoolApiInterface { } /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SchoolApi @@ -14998,9 +14998,9 @@ export class SchoolApi extends BaseAPI implements SchoolApiInterface { /** * Sets all provisioning options for a system at a school - * @param {string} schoolId - * @param {string} systemId - * @param {SchulConneXProvisioningOptionsParams} schulConneXProvisioningOptionsParams + * @param {string} schoolId + * @param {string} systemId + * @param {SchulConneXProvisioningOptionsParams} schulConneXProvisioningOptionsParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SchoolApi @@ -15010,10 +15010,10 @@ export class SchoolApi extends BaseAPI implements SchoolApiInterface { } /** - * + * * @summary Updating school props by school administrators - * @param {string} schoolId - * @param {SchoolUpdateBodyParams} schoolUpdateBodyParams + * @param {string} schoolId + * @param {SchoolUpdateBodyParams} schoolUpdateBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SchoolApi @@ -15031,9 +15031,9 @@ export class SchoolApi extends BaseAPI implements SchoolApiInterface { export const ShareTokenApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @summary Create a share token. - * @param {ShareTokenBodyParams} shareTokenBodyParams + * @param {ShareTokenBodyParams} shareTokenBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -15057,7 +15057,7 @@ export const ShareTokenApiAxiosParamCreator = function (configuration?: Configur await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -15071,10 +15071,10 @@ export const ShareTokenApiAxiosParamCreator = function (configuration?: Configur }; }, /** - * + * * @summary Import a share token payload. * @param {string} token The token that identifies the shared object - * @param {ShareTokenImportBodyParams} shareTokenImportBodyParams + * @param {ShareTokenImportBodyParams} shareTokenImportBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -15101,7 +15101,7 @@ export const ShareTokenApiAxiosParamCreator = function (configuration?: Configur await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -15115,7 +15115,7 @@ export const ShareTokenApiAxiosParamCreator = function (configuration?: Configur }; }, /** - * + * * @summary Look up a share token. * @param {string} token The token that identifies the shared object * @param {*} [options] Override http request option. @@ -15142,7 +15142,7 @@ export const ShareTokenApiAxiosParamCreator = function (configuration?: Configur await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -15163,9 +15163,9 @@ export const ShareTokenApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = ShareTokenApiAxiosParamCreator(configuration) return { /** - * + * * @summary Create a share token. - * @param {ShareTokenBodyParams} shareTokenBodyParams + * @param {ShareTokenBodyParams} shareTokenBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -15174,10 +15174,10 @@ export const ShareTokenApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Import a share token payload. * @param {string} token The token that identifies the shared object - * @param {ShareTokenImportBodyParams} shareTokenImportBodyParams + * @param {ShareTokenImportBodyParams} shareTokenImportBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -15186,7 +15186,7 @@ export const ShareTokenApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Look up a share token. * @param {string} token The token that identifies the shared object * @param {*} [options] Override http request option. @@ -15207,9 +15207,9 @@ export const ShareTokenApiFactory = function (configuration?: Configuration, bas const localVarFp = ShareTokenApiFp(configuration) return { /** - * + * * @summary Create a share token. - * @param {ShareTokenBodyParams} shareTokenBodyParams + * @param {ShareTokenBodyParams} shareTokenBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -15217,10 +15217,10 @@ export const ShareTokenApiFactory = function (configuration?: Configuration, bas return localVarFp.shareTokenControllerCreateShareToken(shareTokenBodyParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Import a share token payload. * @param {string} token The token that identifies the shared object - * @param {ShareTokenImportBodyParams} shareTokenImportBodyParams + * @param {ShareTokenImportBodyParams} shareTokenImportBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -15228,7 +15228,7 @@ export const ShareTokenApiFactory = function (configuration?: Configuration, bas return localVarFp.shareTokenControllerImportShareToken(token, shareTokenImportBodyParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Look up a share token. * @param {string} token The token that identifies the shared object * @param {*} [options] Override http request option. @@ -15247,9 +15247,9 @@ export const ShareTokenApiFactory = function (configuration?: Configuration, bas */ export interface ShareTokenApiInterface { /** - * + * * @summary Create a share token. - * @param {ShareTokenBodyParams} shareTokenBodyParams + * @param {ShareTokenBodyParams} shareTokenBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ShareTokenApiInterface @@ -15257,10 +15257,10 @@ export interface ShareTokenApiInterface { shareTokenControllerCreateShareToken(shareTokenBodyParams: ShareTokenBodyParams, options?: any): AxiosPromise; /** - * + * * @summary Import a share token payload. * @param {string} token The token that identifies the shared object - * @param {ShareTokenImportBodyParams} shareTokenImportBodyParams + * @param {ShareTokenImportBodyParams} shareTokenImportBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ShareTokenApiInterface @@ -15268,7 +15268,7 @@ export interface ShareTokenApiInterface { shareTokenControllerImportShareToken(token: string, shareTokenImportBodyParams: ShareTokenImportBodyParams, options?: any): AxiosPromise; /** - * + * * @summary Look up a share token. * @param {string} token The token that identifies the shared object * @param {*} [options] Override http request option. @@ -15287,9 +15287,9 @@ export interface ShareTokenApiInterface { */ export class ShareTokenApi extends BaseAPI implements ShareTokenApiInterface { /** - * + * * @summary Create a share token. - * @param {ShareTokenBodyParams} shareTokenBodyParams + * @param {ShareTokenBodyParams} shareTokenBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ShareTokenApi @@ -15299,10 +15299,10 @@ export class ShareTokenApi extends BaseAPI implements ShareTokenApiInterface { } /** - * + * * @summary Import a share token payload. * @param {string} token The token that identifies the shared object - * @param {ShareTokenImportBodyParams} shareTokenImportBodyParams + * @param {ShareTokenImportBodyParams} shareTokenImportBodyParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ShareTokenApi @@ -15312,7 +15312,7 @@ export class ShareTokenApi extends BaseAPI implements ShareTokenApiInterface { } /** - * + * * @summary Look up a share token. * @param {string} token The token that identifies the shared object * @param {*} [options] Override http request option. @@ -15332,7 +15332,7 @@ export class ShareTokenApi extends BaseAPI implements ShareTokenApiInterface { export const SubmissionApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @param {string} submissionId The id of the submission. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -15358,7 +15358,7 @@ export const SubmissionApiAxiosParamCreator = function (configuration?: Configur await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -15369,7 +15369,7 @@ export const SubmissionApiAxiosParamCreator = function (configuration?: Configur }; }, /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -15395,7 +15395,7 @@ export const SubmissionApiAxiosParamCreator = function (configuration?: Configur await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -15416,7 +15416,7 @@ export const SubmissionApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = SubmissionApiAxiosParamCreator(configuration) return { /** - * + * * @param {string} submissionId The id of the submission. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -15426,7 +15426,7 @@ export const SubmissionApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -15446,7 +15446,7 @@ export const SubmissionApiFactory = function (configuration?: Configuration, bas const localVarFp = SubmissionApiFp(configuration) return { /** - * + * * @param {string} submissionId The id of the submission. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -15455,7 +15455,7 @@ export const SubmissionApiFactory = function (configuration?: Configuration, bas return localVarFp.submissionControllerDelete(submissionId, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -15473,7 +15473,7 @@ export const SubmissionApiFactory = function (configuration?: Configuration, bas */ export interface SubmissionApiInterface { /** - * + * * @param {string} submissionId The id of the submission. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -15482,7 +15482,7 @@ export interface SubmissionApiInterface { submissionControllerDelete(submissionId: string, options?: any): AxiosPromise; /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -15500,7 +15500,7 @@ export interface SubmissionApiInterface { */ export class SubmissionApi extends BaseAPI implements SubmissionApiInterface { /** - * + * * @param {string} submissionId The id of the submission. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -15511,7 +15511,7 @@ export class SubmissionApi extends BaseAPI implements SubmissionApiInterface { } /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -15530,9 +15530,9 @@ export class SubmissionApi extends BaseAPI implements SubmissionApiInterface { export const SystemsApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @summary Deletes a system. - * @param {string} systemId + * @param {string} systemId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -15557,7 +15557,7 @@ export const SystemsApiAxiosParamCreator = function (configuration?: Configurati await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -15597,7 +15597,7 @@ export const SystemsApiAxiosParamCreator = function (configuration?: Configurati } - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -15610,7 +15610,7 @@ export const SystemsApiAxiosParamCreator = function (configuration?: Configurati /** * This endpoint is used to get information about a possible login systems. No sensible data should be returned! * @summary Finds a publicly available system. - * @param {string} systemId + * @param {string} systemId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -15631,7 +15631,7 @@ export const SystemsApiAxiosParamCreator = function (configuration?: Configurati const localVarQueryParameter = {} as any; - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -15652,9 +15652,9 @@ export const SystemsApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = SystemsApiAxiosParamCreator(configuration) return { /** - * + * * @summary Deletes a system. - * @param {string} systemId + * @param {string} systemId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -15677,7 +15677,7 @@ export const SystemsApiFp = function(configuration?: Configuration) { /** * This endpoint is used to get information about a possible login systems. No sensible data should be returned! * @summary Finds a publicly available system. - * @param {string} systemId + * @param {string} systemId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -15696,9 +15696,9 @@ export const SystemsApiFactory = function (configuration?: Configuration, basePa const localVarFp = SystemsApiFp(configuration) return { /** - * + * * @summary Deletes a system. - * @param {string} systemId + * @param {string} systemId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -15719,7 +15719,7 @@ export const SystemsApiFactory = function (configuration?: Configuration, basePa /** * This endpoint is used to get information about a possible login systems. No sensible data should be returned! * @summary Finds a publicly available system. - * @param {string} systemId + * @param {string} systemId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -15736,9 +15736,9 @@ export const SystemsApiFactory = function (configuration?: Configuration, basePa */ export interface SystemsApiInterface { /** - * + * * @summary Deletes a system. - * @param {string} systemId + * @param {string} systemId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SystemsApiInterface @@ -15759,7 +15759,7 @@ export interface SystemsApiInterface { /** * This endpoint is used to get information about a possible login systems. No sensible data should be returned! * @summary Finds a publicly available system. - * @param {string} systemId + * @param {string} systemId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SystemsApiInterface @@ -15776,9 +15776,9 @@ export interface SystemsApiInterface { */ export class SystemsApi extends BaseAPI implements SystemsApiInterface { /** - * + * * @summary Deletes a system. - * @param {string} systemId + * @param {string} systemId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SystemsApi @@ -15803,7 +15803,7 @@ export class SystemsApi extends BaseAPI implements SystemsApiInterface { /** * This endpoint is used to get information about a possible login systems. No sensible data should be returned! * @summary Finds a publicly available system. - * @param {string} systemId + * @param {string} systemId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof SystemsApi @@ -15821,9 +15821,9 @@ export class SystemsApi extends BaseAPI implements SystemsApiInterface { export const TaskApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @param {string} taskId The id of the task. - * @param {TaskCopyApiParams} taskCopyApiParams + * @param {TaskCopyApiParams} taskCopyApiParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -15850,7 +15850,7 @@ export const TaskApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -15864,7 +15864,7 @@ export const TaskApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -15890,7 +15890,7 @@ export const TaskApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -15901,7 +15901,7 @@ export const TaskApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -15933,7 +15933,7 @@ export const TaskApiAxiosParamCreator = function (configuration?: Configuration) } - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -15944,7 +15944,7 @@ export const TaskApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -15976,7 +15976,7 @@ export const TaskApiAxiosParamCreator = function (configuration?: Configuration) } - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -15987,7 +15987,7 @@ export const TaskApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16013,7 +16013,7 @@ export const TaskApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -16024,7 +16024,7 @@ export const TaskApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16050,7 +16050,7 @@ export const TaskApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -16061,7 +16061,7 @@ export const TaskApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16087,7 +16087,7 @@ export const TaskApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -16108,9 +16108,9 @@ export const TaskApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = TaskApiAxiosParamCreator(configuration) return { /** - * + * * @param {string} taskId The id of the task. - * @param {TaskCopyApiParams} taskCopyApiParams + * @param {TaskCopyApiParams} taskCopyApiParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -16119,7 +16119,7 @@ export const TaskApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16129,7 +16129,7 @@ export const TaskApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -16140,7 +16140,7 @@ export const TaskApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -16151,7 +16151,7 @@ export const TaskApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16161,7 +16161,7 @@ export const TaskApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16171,7 +16171,7 @@ export const TaskApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16191,9 +16191,9 @@ export const TaskApiFactory = function (configuration?: Configuration, basePath? const localVarFp = TaskApiFp(configuration) return { /** - * + * * @param {string} taskId The id of the task. - * @param {TaskCopyApiParams} taskCopyApiParams + * @param {TaskCopyApiParams} taskCopyApiParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -16201,7 +16201,7 @@ export const TaskApiFactory = function (configuration?: Configuration, basePath? return localVarFp.taskControllerCopyTask(taskId, taskCopyApiParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16210,7 +16210,7 @@ export const TaskApiFactory = function (configuration?: Configuration, basePath? return localVarFp.taskControllerDelete(taskId, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -16220,7 +16220,7 @@ export const TaskApiFactory = function (configuration?: Configuration, basePath? return localVarFp.taskControllerFindAll(skip, limit, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -16230,7 +16230,7 @@ export const TaskApiFactory = function (configuration?: Configuration, basePath? return localVarFp.taskControllerFindAllFinished(skip, limit, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16239,7 +16239,7 @@ export const TaskApiFactory = function (configuration?: Configuration, basePath? return localVarFp.taskControllerFinish(taskId, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16248,7 +16248,7 @@ export const TaskApiFactory = function (configuration?: Configuration, basePath? return localVarFp.taskControllerRestore(taskId, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16266,9 +16266,9 @@ export const TaskApiFactory = function (configuration?: Configuration, basePath? */ export interface TaskApiInterface { /** - * + * * @param {string} taskId The id of the task. - * @param {TaskCopyApiParams} taskCopyApiParams + * @param {TaskCopyApiParams} taskCopyApiParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof TaskApiInterface @@ -16276,7 +16276,7 @@ export interface TaskApiInterface { taskControllerCopyTask(taskId: string, taskCopyApiParams: TaskCopyApiParams, options?: any): AxiosPromise; /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16285,7 +16285,7 @@ export interface TaskApiInterface { taskControllerDelete(taskId: string, options?: any): AxiosPromise; /** - * + * * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -16295,7 +16295,7 @@ export interface TaskApiInterface { taskControllerFindAll(skip?: number, limit?: number, options?: any): AxiosPromise; /** - * + * * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -16305,7 +16305,7 @@ export interface TaskApiInterface { taskControllerFindAllFinished(skip?: number, limit?: number, options?: any): AxiosPromise; /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16314,7 +16314,7 @@ export interface TaskApiInterface { taskControllerFinish(taskId: string, options?: any): AxiosPromise; /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16323,7 +16323,7 @@ export interface TaskApiInterface { taskControllerRestore(taskId: string, options?: any): AxiosPromise; /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16341,9 +16341,9 @@ export interface TaskApiInterface { */ export class TaskApi extends BaseAPI implements TaskApiInterface { /** - * + * * @param {string} taskId The id of the task. - * @param {TaskCopyApiParams} taskCopyApiParams + * @param {TaskCopyApiParams} taskCopyApiParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof TaskApi @@ -16353,7 +16353,7 @@ export class TaskApi extends BaseAPI implements TaskApiInterface { } /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16364,7 +16364,7 @@ export class TaskApi extends BaseAPI implements TaskApiInterface { } /** - * + * * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -16376,7 +16376,7 @@ export class TaskApi extends BaseAPI implements TaskApiInterface { } /** - * + * * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -16388,7 +16388,7 @@ export class TaskApi extends BaseAPI implements TaskApiInterface { } /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16399,7 +16399,7 @@ export class TaskApi extends BaseAPI implements TaskApiInterface { } /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16410,7 +16410,7 @@ export class TaskApi extends BaseAPI implements TaskApiInterface { } /** - * + * * @param {string} taskId The id of the task. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16429,10 +16429,10 @@ export class TaskApi extends BaseAPI implements TaskApiInterface { export const ToolApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @summary Lists all available tools that can be added for a given context - * @param {any} contextType - * @param {string} contextId + * @param {any} contextType + * @param {string} contextId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -16460,7 +16460,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -16471,9 +16471,9 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Lists all available tools that can be added for a given school - * @param {string} schoolId + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -16498,7 +16498,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -16509,9 +16509,9 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Get the latest configuration template for a Context External Tool - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -16536,7 +16536,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -16547,9 +16547,9 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Get the latest configuration template for a School External Tool - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -16574,7 +16574,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -16585,7 +16585,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Lists all context types available in the SVS * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -16608,7 +16608,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -16619,9 +16619,9 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Creates a ContextExternalTool - * @param {ContextExternalToolPostParams} contextExternalToolPostParams + * @param {ContextExternalToolPostParams} contextExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -16645,7 +16645,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -16659,9 +16659,9 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Deletes a ContextExternalTool - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -16686,7 +16686,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -16697,9 +16697,9 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Searches a ContextExternalTool for the given id - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -16724,7 +16724,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -16735,10 +16735,10 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Returns a list of ContextExternalTools for the given context - * @param {string} contextId - * @param {ToolContextType} contextType + * @param {string} contextId + * @param {ToolContextType} contextType * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -16766,7 +16766,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -16777,10 +16777,10 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Updates a ContextExternalTool - * @param {string} contextExternalToolId - * @param {ContextExternalToolPostParams} contextExternalToolPostParams + * @param {string} contextExternalToolId + * @param {ContextExternalToolPostParams} contextExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -16807,7 +16807,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -16821,9 +16821,9 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Creates an ExternalTool - * @param {ExternalToolCreateParams} externalToolCreateParams + * @param {ExternalToolCreateParams} externalToolCreateParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -16847,7 +16847,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -16861,9 +16861,9 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Deletes an ExternalTool - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -16888,7 +16888,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -16899,14 +16899,14 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Returns a list of ExternalTools * @param {string} [name] Name of the external tool * @param {string} [clientId] OAuth2 client id of the external tool * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. - * @param {'asc' | 'desc'} [sortOrder] - * @param {'id' | 'name'} [sortBy] + * @param {'asc' | 'desc'} [sortOrder] + * @param {'id' | 'name'} [sortBy] * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -16952,7 +16952,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) } - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -16963,9 +16963,9 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Returns a pdf of the external tool information - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -16990,7 +16990,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -17001,9 +17001,9 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Returns an ExternalTool for the given id - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17028,7 +17028,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -17039,9 +17039,9 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Gets the logo of an external tool. - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17066,7 +17066,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -17077,9 +17077,9 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Gets the metadata of an external tool. - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17104,7 +17104,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -17115,10 +17115,10 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Updates an ExternalTool - * @param {string} externalToolId - * @param {ExternalToolUpdateParams} externalToolUpdateParams + * @param {string} externalToolId + * @param {ExternalToolUpdateParams} externalToolUpdateParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17145,7 +17145,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -17159,7 +17159,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Get tool launch request for a context external tool id * @param {string} contextExternalToolId The id of the context external tool * @param {*} [options] Override http request option. @@ -17186,7 +17186,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -17197,9 +17197,9 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Get ExternalTool Reference for a given context external tool - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17224,7 +17224,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -17235,10 +17235,10 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Get ExternalTool References for a given context - * @param {string} contextId - * @param {ToolContextType} contextType + * @param {string} contextId + * @param {ToolContextType} contextType * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17266,7 +17266,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -17277,9 +17277,9 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Creates a SchoolExternalTool - * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams + * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17303,7 +17303,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -17317,9 +17317,9 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Deletes a SchoolExternalTool - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17344,7 +17344,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -17355,9 +17355,9 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Gets the metadata of an school external tool. - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17382,7 +17382,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -17393,9 +17393,9 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Returns a SchoolExternalTool for the given id - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17420,7 +17420,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -17431,9 +17431,9 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Returns a list of SchoolExternalTools for a given school - * @param {string} schoolId + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17461,7 +17461,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) } - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -17472,10 +17472,10 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @summary Updates a SchoolExternalTool - * @param {string} schoolExternalToolId - * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams + * @param {string} schoolExternalToolId + * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17502,7 +17502,7 @@ export const ToolApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -17526,10 +17526,10 @@ export const ToolApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = ToolApiAxiosParamCreator(configuration) return { /** - * + * * @summary Lists all available tools that can be added for a given context - * @param {any} contextType - * @param {string} contextId + * @param {any} contextType + * @param {string} contextId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17538,9 +17538,9 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Lists all available tools that can be added for a given school - * @param {string} schoolId + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17549,9 +17549,9 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Get the latest configuration template for a Context External Tool - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17560,9 +17560,9 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Get the latest configuration template for a School External Tool - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17571,7 +17571,7 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Lists all context types available in the SVS * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -17581,9 +17581,9 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Creates a ContextExternalTool - * @param {ContextExternalToolPostParams} contextExternalToolPostParams + * @param {ContextExternalToolPostParams} contextExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17592,9 +17592,9 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Deletes a ContextExternalTool - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17603,9 +17603,9 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Searches a ContextExternalTool for the given id - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17614,10 +17614,10 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Returns a list of ContextExternalTools for the given context - * @param {string} contextId - * @param {ToolContextType} contextType + * @param {string} contextId + * @param {ToolContextType} contextType * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17626,10 +17626,10 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Updates a ContextExternalTool - * @param {string} contextExternalToolId - * @param {ContextExternalToolPostParams} contextExternalToolPostParams + * @param {string} contextExternalToolId + * @param {ContextExternalToolPostParams} contextExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17638,9 +17638,9 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Creates an ExternalTool - * @param {ExternalToolCreateParams} externalToolCreateParams + * @param {ExternalToolCreateParams} externalToolCreateParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17649,9 +17649,9 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Deletes an ExternalTool - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17660,14 +17660,14 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Returns a list of ExternalTools * @param {string} [name] Name of the external tool * @param {string} [clientId] OAuth2 client id of the external tool * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. - * @param {'asc' | 'desc'} [sortOrder] - * @param {'id' | 'name'} [sortBy] + * @param {'asc' | 'desc'} [sortOrder] + * @param {'id' | 'name'} [sortBy] * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17676,9 +17676,9 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Returns a pdf of the external tool information - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17687,9 +17687,9 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Returns an ExternalTool for the given id - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17698,9 +17698,9 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Gets the logo of an external tool. - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17709,9 +17709,9 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Gets the metadata of an external tool. - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17720,10 +17720,10 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Updates an ExternalTool - * @param {string} externalToolId - * @param {ExternalToolUpdateParams} externalToolUpdateParams + * @param {string} externalToolId + * @param {ExternalToolUpdateParams} externalToolUpdateParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17732,7 +17732,7 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Get tool launch request for a context external tool id * @param {string} contextExternalToolId The id of the context external tool * @param {*} [options] Override http request option. @@ -17743,9 +17743,9 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Get ExternalTool Reference for a given context external tool - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17754,10 +17754,10 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Get ExternalTool References for a given context - * @param {string} contextId - * @param {ToolContextType} contextType + * @param {string} contextId + * @param {ToolContextType} contextType * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17766,9 +17766,9 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Creates a SchoolExternalTool - * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams + * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17777,9 +17777,9 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Deletes a SchoolExternalTool - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17788,9 +17788,9 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Gets the metadata of an school external tool. - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17799,9 +17799,9 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Returns a SchoolExternalTool for the given id - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17810,9 +17810,9 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Returns a list of SchoolExternalTools for a given school - * @param {string} schoolId + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17821,10 +17821,10 @@ export const ToolApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Updates a SchoolExternalTool - * @param {string} schoolExternalToolId - * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams + * @param {string} schoolExternalToolId + * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17843,10 +17843,10 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? const localVarFp = ToolApiFp(configuration) return { /** - * + * * @summary Lists all available tools that can be added for a given context - * @param {any} contextType - * @param {string} contextId + * @param {any} contextType + * @param {string} contextId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17854,9 +17854,9 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolConfigurationControllerGetAvailableToolsForContext(contextType, contextId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Lists all available tools that can be added for a given school - * @param {string} schoolId + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17864,9 +17864,9 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolConfigurationControllerGetAvailableToolsForSchool(schoolId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Get the latest configuration template for a Context External Tool - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17874,9 +17874,9 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolConfigurationControllerGetConfigurationTemplateForContext(contextExternalToolId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Get the latest configuration template for a School External Tool - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17884,7 +17884,7 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolConfigurationControllerGetConfigurationTemplateForSchool(schoolExternalToolId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Lists all context types available in the SVS * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -17893,9 +17893,9 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolConfigurationControllerGetToolContextTypes(options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Creates a ContextExternalTool - * @param {ContextExternalToolPostParams} contextExternalToolPostParams + * @param {ContextExternalToolPostParams} contextExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17903,9 +17903,9 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolContextControllerCreateContextExternalTool(contextExternalToolPostParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Deletes a ContextExternalTool - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17913,9 +17913,9 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolContextControllerDeleteContextExternalTool(contextExternalToolId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Searches a ContextExternalTool for the given id - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17923,10 +17923,10 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolContextControllerGetContextExternalTool(contextExternalToolId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Returns a list of ContextExternalTools for the given context - * @param {string} contextId - * @param {ToolContextType} contextType + * @param {string} contextId + * @param {ToolContextType} contextType * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17934,10 +17934,10 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolContextControllerGetContextExternalToolsForContext(contextId, contextType, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Updates a ContextExternalTool - * @param {string} contextExternalToolId - * @param {ContextExternalToolPostParams} contextExternalToolPostParams + * @param {string} contextExternalToolId + * @param {ContextExternalToolPostParams} contextExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17945,9 +17945,9 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolContextControllerUpdateContextExternalTool(contextExternalToolId, contextExternalToolPostParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Creates an ExternalTool - * @param {ExternalToolCreateParams} externalToolCreateParams + * @param {ExternalToolCreateParams} externalToolCreateParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17955,9 +17955,9 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolControllerCreateExternalTool(externalToolCreateParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Deletes an ExternalTool - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17965,14 +17965,14 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolControllerDeleteExternalTool(externalToolId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Returns a list of ExternalTools * @param {string} [name] Name of the external tool * @param {string} [clientId] OAuth2 client id of the external tool * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. - * @param {'asc' | 'desc'} [sortOrder] - * @param {'id' | 'name'} [sortBy] + * @param {'asc' | 'desc'} [sortOrder] + * @param {'id' | 'name'} [sortBy] * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17980,9 +17980,9 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolControllerFindExternalTool(name, clientId, skip, limit, sortOrder, sortBy, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Returns a pdf of the external tool information - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -17990,9 +17990,9 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolControllerGetDatasheet(externalToolId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Returns an ExternalTool for the given id - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18000,9 +18000,9 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolControllerGetExternalTool(externalToolId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Gets the logo of an external tool. - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18010,9 +18010,9 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolControllerGetExternalToolLogo(externalToolId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Gets the metadata of an external tool. - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18020,10 +18020,10 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolControllerGetMetaDataForExternalTool(externalToolId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Updates an ExternalTool - * @param {string} externalToolId - * @param {ExternalToolUpdateParams} externalToolUpdateParams + * @param {string} externalToolId + * @param {ExternalToolUpdateParams} externalToolUpdateParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18031,7 +18031,7 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolControllerUpdateExternalTool(externalToolId, externalToolUpdateParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Get tool launch request for a context external tool id * @param {string} contextExternalToolId The id of the context external tool * @param {*} [options] Override http request option. @@ -18041,9 +18041,9 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolLaunchControllerGetToolLaunchRequest(contextExternalToolId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Get ExternalTool Reference for a given context external tool - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18051,10 +18051,10 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolReferenceControllerGetToolReference(contextExternalToolId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Get ExternalTool References for a given context - * @param {string} contextId - * @param {ToolContextType} contextType + * @param {string} contextId + * @param {ToolContextType} contextType * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18062,9 +18062,9 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolReferenceControllerGetToolReferencesForContext(contextId, contextType, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Creates a SchoolExternalTool - * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams + * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18072,9 +18072,9 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolSchoolControllerCreateSchoolExternalTool(schoolExternalToolPostParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Deletes a SchoolExternalTool - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18082,9 +18082,9 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolSchoolControllerDeleteSchoolExternalTool(schoolExternalToolId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Gets the metadata of an school external tool. - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18092,9 +18092,9 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolSchoolControllerGetMetaDataForExternalTool(schoolExternalToolId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Returns a SchoolExternalTool for the given id - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18102,9 +18102,9 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolSchoolControllerGetSchoolExternalTool(schoolExternalToolId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Returns a list of SchoolExternalTools for a given school - * @param {string} schoolId + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18112,10 +18112,10 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? return localVarFp.toolSchoolControllerGetSchoolExternalTools(schoolId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Updates a SchoolExternalTool - * @param {string} schoolExternalToolId - * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams + * @param {string} schoolExternalToolId + * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18132,10 +18132,10 @@ export const ToolApiFactory = function (configuration?: Configuration, basePath? */ export interface ToolApiInterface { /** - * + * * @summary Lists all available tools that can be added for a given context - * @param {any} contextType - * @param {string} contextId + * @param {any} contextType + * @param {string} contextId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18143,9 +18143,9 @@ export interface ToolApiInterface { toolConfigurationControllerGetAvailableToolsForContext(contextType: any, contextId: string, options?: any): AxiosPromise; /** - * + * * @summary Lists all available tools that can be added for a given school - * @param {string} schoolId + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18153,9 +18153,9 @@ export interface ToolApiInterface { toolConfigurationControllerGetAvailableToolsForSchool(schoolId: string, options?: any): AxiosPromise; /** - * + * * @summary Get the latest configuration template for a Context External Tool - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18163,9 +18163,9 @@ export interface ToolApiInterface { toolConfigurationControllerGetConfigurationTemplateForContext(contextExternalToolId: string, options?: any): AxiosPromise; /** - * + * * @summary Get the latest configuration template for a School External Tool - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18173,7 +18173,7 @@ export interface ToolApiInterface { toolConfigurationControllerGetConfigurationTemplateForSchool(schoolExternalToolId: string, options?: any): AxiosPromise; /** - * + * * @summary Lists all context types available in the SVS * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -18182,9 +18182,9 @@ export interface ToolApiInterface { toolConfigurationControllerGetToolContextTypes(options?: any): AxiosPromise; /** - * + * * @summary Creates a ContextExternalTool - * @param {ContextExternalToolPostParams} contextExternalToolPostParams + * @param {ContextExternalToolPostParams} contextExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18192,9 +18192,9 @@ export interface ToolApiInterface { toolContextControllerCreateContextExternalTool(contextExternalToolPostParams: ContextExternalToolPostParams, options?: any): AxiosPromise; /** - * + * * @summary Deletes a ContextExternalTool - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18202,9 +18202,9 @@ export interface ToolApiInterface { toolContextControllerDeleteContextExternalTool(contextExternalToolId: string, options?: any): AxiosPromise; /** - * + * * @summary Searches a ContextExternalTool for the given id - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18212,10 +18212,10 @@ export interface ToolApiInterface { toolContextControllerGetContextExternalTool(contextExternalToolId: string, options?: any): AxiosPromise; /** - * + * * @summary Returns a list of ContextExternalTools for the given context - * @param {string} contextId - * @param {ToolContextType} contextType + * @param {string} contextId + * @param {ToolContextType} contextType * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18223,10 +18223,10 @@ export interface ToolApiInterface { toolContextControllerGetContextExternalToolsForContext(contextId: string, contextType: ToolContextType, options?: any): AxiosPromise; /** - * + * * @summary Updates a ContextExternalTool - * @param {string} contextExternalToolId - * @param {ContextExternalToolPostParams} contextExternalToolPostParams + * @param {string} contextExternalToolId + * @param {ContextExternalToolPostParams} contextExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18234,9 +18234,9 @@ export interface ToolApiInterface { toolContextControllerUpdateContextExternalTool(contextExternalToolId: string, contextExternalToolPostParams: ContextExternalToolPostParams, options?: any): AxiosPromise; /** - * + * * @summary Creates an ExternalTool - * @param {ExternalToolCreateParams} externalToolCreateParams + * @param {ExternalToolCreateParams} externalToolCreateParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18244,9 +18244,9 @@ export interface ToolApiInterface { toolControllerCreateExternalTool(externalToolCreateParams: ExternalToolCreateParams, options?: any): AxiosPromise; /** - * + * * @summary Deletes an ExternalTool - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18254,14 +18254,14 @@ export interface ToolApiInterface { toolControllerDeleteExternalTool(externalToolId: string, options?: any): AxiosPromise; /** - * + * * @summary Returns a list of ExternalTools * @param {string} [name] Name of the external tool * @param {string} [clientId] OAuth2 client id of the external tool * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. - * @param {'asc' | 'desc'} [sortOrder] - * @param {'id' | 'name'} [sortBy] + * @param {'asc' | 'desc'} [sortOrder] + * @param {'id' | 'name'} [sortBy] * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18269,9 +18269,9 @@ export interface ToolApiInterface { toolControllerFindExternalTool(name?: string, clientId?: string, skip?: number, limit?: number, sortOrder?: 'asc' | 'desc', sortBy?: 'id' | 'name', options?: any): AxiosPromise; /** - * + * * @summary Returns a pdf of the external tool information - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18279,9 +18279,9 @@ export interface ToolApiInterface { toolControllerGetDatasheet(externalToolId: string, options?: any): AxiosPromise; /** - * + * * @summary Returns an ExternalTool for the given id - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18289,9 +18289,9 @@ export interface ToolApiInterface { toolControllerGetExternalTool(externalToolId: string, options?: any): AxiosPromise; /** - * + * * @summary Gets the logo of an external tool. - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18299,9 +18299,9 @@ export interface ToolApiInterface { toolControllerGetExternalToolLogo(externalToolId: string, options?: any): AxiosPromise; /** - * + * * @summary Gets the metadata of an external tool. - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18309,10 +18309,10 @@ export interface ToolApiInterface { toolControllerGetMetaDataForExternalTool(externalToolId: string, options?: any): AxiosPromise; /** - * + * * @summary Updates an ExternalTool - * @param {string} externalToolId - * @param {ExternalToolUpdateParams} externalToolUpdateParams + * @param {string} externalToolId + * @param {ExternalToolUpdateParams} externalToolUpdateParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18320,7 +18320,7 @@ export interface ToolApiInterface { toolControllerUpdateExternalTool(externalToolId: string, externalToolUpdateParams: ExternalToolUpdateParams, options?: any): AxiosPromise; /** - * + * * @summary Get tool launch request for a context external tool id * @param {string} contextExternalToolId The id of the context external tool * @param {*} [options] Override http request option. @@ -18330,9 +18330,9 @@ export interface ToolApiInterface { toolLaunchControllerGetToolLaunchRequest(contextExternalToolId: string, options?: any): AxiosPromise; /** - * + * * @summary Get ExternalTool Reference for a given context external tool - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18340,10 +18340,10 @@ export interface ToolApiInterface { toolReferenceControllerGetToolReference(contextExternalToolId: string, options?: any): AxiosPromise; /** - * + * * @summary Get ExternalTool References for a given context - * @param {string} contextId - * @param {ToolContextType} contextType + * @param {string} contextId + * @param {ToolContextType} contextType * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18351,9 +18351,9 @@ export interface ToolApiInterface { toolReferenceControllerGetToolReferencesForContext(contextId: string, contextType: ToolContextType, options?: any): AxiosPromise; /** - * + * * @summary Creates a SchoolExternalTool - * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams + * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18361,9 +18361,9 @@ export interface ToolApiInterface { toolSchoolControllerCreateSchoolExternalTool(schoolExternalToolPostParams: SchoolExternalToolPostParams, options?: any): AxiosPromise; /** - * + * * @summary Deletes a SchoolExternalTool - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18371,9 +18371,9 @@ export interface ToolApiInterface { toolSchoolControllerDeleteSchoolExternalTool(schoolExternalToolId: string, options?: any): AxiosPromise; /** - * + * * @summary Gets the metadata of an school external tool. - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18381,9 +18381,9 @@ export interface ToolApiInterface { toolSchoolControllerGetMetaDataForExternalTool(schoolExternalToolId: string, options?: any): AxiosPromise; /** - * + * * @summary Returns a SchoolExternalTool for the given id - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18391,9 +18391,9 @@ export interface ToolApiInterface { toolSchoolControllerGetSchoolExternalTool(schoolExternalToolId: string, options?: any): AxiosPromise; /** - * + * * @summary Returns a list of SchoolExternalTools for a given school - * @param {string} schoolId + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18401,10 +18401,10 @@ export interface ToolApiInterface { toolSchoolControllerGetSchoolExternalTools(schoolId: string, options?: any): AxiosPromise; /** - * + * * @summary Updates a SchoolExternalTool - * @param {string} schoolExternalToolId - * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams + * @param {string} schoolExternalToolId + * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApiInterface @@ -18421,10 +18421,10 @@ export interface ToolApiInterface { */ export class ToolApi extends BaseAPI implements ToolApiInterface { /** - * + * * @summary Lists all available tools that can be added for a given context - * @param {any} contextType - * @param {string} contextId + * @param {any} contextType + * @param {string} contextId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18434,9 +18434,9 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Lists all available tools that can be added for a given school - * @param {string} schoolId + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18446,9 +18446,9 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Get the latest configuration template for a Context External Tool - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18458,9 +18458,9 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Get the latest configuration template for a School External Tool - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18470,7 +18470,7 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Lists all context types available in the SVS * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -18481,9 +18481,9 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Creates a ContextExternalTool - * @param {ContextExternalToolPostParams} contextExternalToolPostParams + * @param {ContextExternalToolPostParams} contextExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18493,9 +18493,9 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Deletes a ContextExternalTool - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18505,9 +18505,9 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Searches a ContextExternalTool for the given id - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18517,10 +18517,10 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Returns a list of ContextExternalTools for the given context - * @param {string} contextId - * @param {ToolContextType} contextType + * @param {string} contextId + * @param {ToolContextType} contextType * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18530,10 +18530,10 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Updates a ContextExternalTool - * @param {string} contextExternalToolId - * @param {ContextExternalToolPostParams} contextExternalToolPostParams + * @param {string} contextExternalToolId + * @param {ContextExternalToolPostParams} contextExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18543,9 +18543,9 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Creates an ExternalTool - * @param {ExternalToolCreateParams} externalToolCreateParams + * @param {ExternalToolCreateParams} externalToolCreateParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18555,9 +18555,9 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Deletes an ExternalTool - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18567,14 +18567,14 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Returns a list of ExternalTools * @param {string} [name] Name of the external tool * @param {string} [clientId] OAuth2 client id of the external tool * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. - * @param {'asc' | 'desc'} [sortOrder] - * @param {'id' | 'name'} [sortBy] + * @param {'asc' | 'desc'} [sortOrder] + * @param {'id' | 'name'} [sortBy] * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18584,9 +18584,9 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Returns a pdf of the external tool information - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18596,9 +18596,9 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Returns an ExternalTool for the given id - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18608,9 +18608,9 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Gets the logo of an external tool. - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18620,9 +18620,9 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Gets the metadata of an external tool. - * @param {string} externalToolId + * @param {string} externalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18632,10 +18632,10 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Updates an ExternalTool - * @param {string} externalToolId - * @param {ExternalToolUpdateParams} externalToolUpdateParams + * @param {string} externalToolId + * @param {ExternalToolUpdateParams} externalToolUpdateParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18645,7 +18645,7 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Get tool launch request for a context external tool id * @param {string} contextExternalToolId The id of the context external tool * @param {*} [options] Override http request option. @@ -18657,9 +18657,9 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Get ExternalTool Reference for a given context external tool - * @param {string} contextExternalToolId + * @param {string} contextExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18669,10 +18669,10 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Get ExternalTool References for a given context - * @param {string} contextId - * @param {ToolContextType} contextType + * @param {string} contextId + * @param {ToolContextType} contextType * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18682,9 +18682,9 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Creates a SchoolExternalTool - * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams + * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18694,9 +18694,9 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Deletes a SchoolExternalTool - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18706,9 +18706,9 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Gets the metadata of an school external tool. - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18718,9 +18718,9 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Returns a SchoolExternalTool for the given id - * @param {string} schoolExternalToolId + * @param {string} schoolExternalToolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18730,9 +18730,9 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Returns a list of SchoolExternalTools for a given school - * @param {string} schoolId + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18742,10 +18742,10 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { } /** - * + * * @summary Updates a SchoolExternalTool - * @param {string} schoolExternalToolId - * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams + * @param {string} schoolExternalToolId + * @param {SchoolExternalToolPostParams} schoolExternalToolPostParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ToolApi @@ -18763,8 +18763,8 @@ export class ToolApi extends BaseAPI implements ToolApiInterface { export const UserApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * - * @param {ChangeLanguageParams} changeLanguageParams + * + * @param {ChangeLanguageParams} changeLanguageParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18788,7 +18788,7 @@ export const UserApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -18802,7 +18802,7 @@ export const UserApiAxiosParamCreator = function (configuration?: Configuration) }; }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18824,7 +18824,7 @@ export const UserApiAxiosParamCreator = function (configuration?: Configuration) await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -18845,8 +18845,8 @@ export const UserApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = UserApiAxiosParamCreator(configuration) return { /** - * - * @param {ChangeLanguageParams} changeLanguageParams + * + * @param {ChangeLanguageParams} changeLanguageParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18855,7 +18855,7 @@ export const UserApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18874,8 +18874,8 @@ export const UserApiFactory = function (configuration?: Configuration, basePath? const localVarFp = UserApiFp(configuration) return { /** - * - * @param {ChangeLanguageParams} changeLanguageParams + * + * @param {ChangeLanguageParams} changeLanguageParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18883,7 +18883,7 @@ export const UserApiFactory = function (configuration?: Configuration, basePath? return localVarFp.userControllerChangeLanguage(changeLanguageParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18900,8 +18900,8 @@ export const UserApiFactory = function (configuration?: Configuration, basePath? */ export interface UserApiInterface { /** - * - * @param {ChangeLanguageParams} changeLanguageParams + * + * @param {ChangeLanguageParams} changeLanguageParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserApiInterface @@ -18909,7 +18909,7 @@ export interface UserApiInterface { userControllerChangeLanguage(changeLanguageParams: ChangeLanguageParams, options?: any): AxiosPromise; /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserApiInterface @@ -18926,8 +18926,8 @@ export interface UserApiInterface { */ export class UserApi extends BaseAPI implements UserApiInterface { /** - * - * @param {ChangeLanguageParams} changeLanguageParams + * + * @param {ChangeLanguageParams} changeLanguageParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserApi @@ -18937,7 +18937,7 @@ export class UserApi extends BaseAPI implements UserApiInterface { } /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserApi @@ -18955,7 +18955,7 @@ export class UserApi extends BaseAPI implements UserApiInterface { export const UserImportApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -18977,7 +18977,7 @@ export const UserImportApiAxiosParamCreator = function (configuration?: Configur await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -18988,16 +18988,16 @@ export const UserImportApiAxiosParamCreator = function (configuration?: Configur }; }, /** - * - * @param {string} [firstName] - * @param {string} [lastName] - * @param {string} [loginName] - * @param {Array<'auto' | 'admin' | 'none'>} [match] - * @param {boolean} [flagged] - * @param {string} [classes] - * @param {'student' | 'teacher' | 'admin'} [role] - * @param {'asc' | 'desc'} [sortOrder] - * @param {'firstName' | 'lastName'} [sortBy] + * + * @param {string} [firstName] + * @param {string} [lastName] + * @param {string} [loginName] + * @param {Array<'auto' | 'admin' | 'none'>} [match] + * @param {boolean} [flagged] + * @param {string} [classes] + * @param {'student' | 'teacher' | 'admin'} [role] + * @param {'asc' | 'desc'} [sortOrder] + * @param {'firstName' | 'lastName'} [sortBy] * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -19065,7 +19065,7 @@ export const UserImportApiAxiosParamCreator = function (configuration?: Configur } - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -19076,8 +19076,8 @@ export const UserImportApiAxiosParamCreator = function (configuration?: Configur }; }, /** - * - * @param {string} [name] + * + * @param {string} [name] * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -19113,7 +19113,7 @@ export const UserImportApiAxiosParamCreator = function (configuration?: Configur } - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -19147,7 +19147,7 @@ export const UserImportApiAxiosParamCreator = function (configuration?: Configur await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -19158,7 +19158,7 @@ export const UserImportApiAxiosParamCreator = function (configuration?: Configur }; }, /** - * + * * @param {string} importUserId The id of an importuser object, that matches an internal user with an external user. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -19184,7 +19184,7 @@ export const UserImportApiAxiosParamCreator = function (configuration?: Configur await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -19195,7 +19195,7 @@ export const UserImportApiAxiosParamCreator = function (configuration?: Configur }; }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19217,7 +19217,7 @@ export const UserImportApiAxiosParamCreator = function (configuration?: Configur await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -19228,9 +19228,9 @@ export const UserImportApiAxiosParamCreator = function (configuration?: Configur }; }, /** - * + * * @param {string} importUserId The id of an importuser object, that matches an internal user with an external user. - * @param {UpdateMatchParams} updateMatchParams + * @param {UpdateMatchParams} updateMatchParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19257,7 +19257,7 @@ export const UserImportApiAxiosParamCreator = function (configuration?: Configur await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -19271,8 +19271,8 @@ export const UserImportApiAxiosParamCreator = function (configuration?: Configur }; }, /** - * - * @param {boolean} useCentralLdap + * + * @param {boolean} useCentralLdap * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19300,7 +19300,7 @@ export const UserImportApiAxiosParamCreator = function (configuration?: Configur } - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -19311,9 +19311,9 @@ export const UserImportApiAxiosParamCreator = function (configuration?: Configur }; }, /** - * + * * @param {string} importUserId The id of an importuser object, that matches an internal user with an external user. - * @param {UpdateFlagParams} updateFlagParams + * @param {UpdateFlagParams} updateFlagParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19340,7 +19340,7 @@ export const UserImportApiAxiosParamCreator = function (configuration?: Configur await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -19364,7 +19364,7 @@ export const UserImportApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = UserImportApiAxiosParamCreator(configuration) return { /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19373,16 +19373,16 @@ export const UserImportApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * - * @param {string} [firstName] - * @param {string} [lastName] - * @param {string} [loginName] - * @param {Array<'auto' | 'admin' | 'none'>} [match] - * @param {boolean} [flagged] - * @param {string} [classes] - * @param {'student' | 'teacher' | 'admin'} [role] - * @param {'asc' | 'desc'} [sortOrder] - * @param {'firstName' | 'lastName'} [sortBy] + * + * @param {string} [firstName] + * @param {string} [lastName] + * @param {string} [loginName] + * @param {Array<'auto' | 'admin' | 'none'>} [match] + * @param {boolean} [flagged] + * @param {string} [classes] + * @param {'student' | 'teacher' | 'admin'} [role] + * @param {'asc' | 'desc'} [sortOrder] + * @param {'firstName' | 'lastName'} [sortBy] * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -19393,8 +19393,8 @@ export const UserImportApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * - * @param {string} [name] + * + * @param {string} [name] * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -19415,7 +19415,7 @@ export const UserImportApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} importUserId The id of an importuser object, that matches an internal user with an external user. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -19425,7 +19425,7 @@ export const UserImportApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19434,9 +19434,9 @@ export const UserImportApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} importUserId The id of an importuser object, that matches an internal user with an external user. - * @param {UpdateMatchParams} updateMatchParams + * @param {UpdateMatchParams} updateMatchParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19445,8 +19445,8 @@ export const UserImportApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * - * @param {boolean} useCentralLdap + * + * @param {boolean} useCentralLdap * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19455,9 +19455,9 @@ export const UserImportApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {string} importUserId The id of an importuser object, that matches an internal user with an external user. - * @param {UpdateFlagParams} updateFlagParams + * @param {UpdateFlagParams} updateFlagParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19476,7 +19476,7 @@ export const UserImportApiFactory = function (configuration?: Configuration, bas const localVarFp = UserImportApiFp(configuration) return { /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19484,16 +19484,16 @@ export const UserImportApiFactory = function (configuration?: Configuration, bas return localVarFp.importUserControllerEndSchoolInMaintenance(options).then((request) => request(axios, basePath)); }, /** - * - * @param {string} [firstName] - * @param {string} [lastName] - * @param {string} [loginName] - * @param {Array<'auto' | 'admin' | 'none'>} [match] - * @param {boolean} [flagged] - * @param {string} [classes] - * @param {'student' | 'teacher' | 'admin'} [role] - * @param {'asc' | 'desc'} [sortOrder] - * @param {'firstName' | 'lastName'} [sortBy] + * + * @param {string} [firstName] + * @param {string} [lastName] + * @param {string} [loginName] + * @param {Array<'auto' | 'admin' | 'none'>} [match] + * @param {boolean} [flagged] + * @param {string} [classes] + * @param {'student' | 'teacher' | 'admin'} [role] + * @param {'asc' | 'desc'} [sortOrder] + * @param {'firstName' | 'lastName'} [sortBy] * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -19503,8 +19503,8 @@ export const UserImportApiFactory = function (configuration?: Configuration, bas return localVarFp.importUserControllerFindAllImportUsers(firstName, lastName, loginName, match, flagged, classes, role, sortOrder, sortBy, skip, limit, options).then((request) => request(axios, basePath)); }, /** - * - * @param {string} [name] + * + * @param {string} [name] * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -19523,7 +19523,7 @@ export const UserImportApiFactory = function (configuration?: Configuration, bas return localVarFp.importUserControllerPopulateImportUsers(options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} importUserId The id of an importuser object, that matches an internal user with an external user. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -19532,7 +19532,7 @@ export const UserImportApiFactory = function (configuration?: Configuration, bas return localVarFp.importUserControllerRemoveMatch(importUserId, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19540,9 +19540,9 @@ export const UserImportApiFactory = function (configuration?: Configuration, bas return localVarFp.importUserControllerSaveAllUsersMatches(options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} importUserId The id of an importuser object, that matches an internal user with an external user. - * @param {UpdateMatchParams} updateMatchParams + * @param {UpdateMatchParams} updateMatchParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19550,8 +19550,8 @@ export const UserImportApiFactory = function (configuration?: Configuration, bas return localVarFp.importUserControllerSetMatch(importUserId, updateMatchParams, options).then((request) => request(axios, basePath)); }, /** - * - * @param {boolean} useCentralLdap + * + * @param {boolean} useCentralLdap * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19559,9 +19559,9 @@ export const UserImportApiFactory = function (configuration?: Configuration, bas return localVarFp.importUserControllerStartSchoolInUserMigration(useCentralLdap, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {string} importUserId The id of an importuser object, that matches an internal user with an external user. - * @param {UpdateFlagParams} updateFlagParams + * @param {UpdateFlagParams} updateFlagParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19578,7 +19578,7 @@ export const UserImportApiFactory = function (configuration?: Configuration, bas */ export interface UserImportApiInterface { /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserImportApiInterface @@ -19586,16 +19586,16 @@ export interface UserImportApiInterface { importUserControllerEndSchoolInMaintenance(options?: any): AxiosPromise; /** - * - * @param {string} [firstName] - * @param {string} [lastName] - * @param {string} [loginName] - * @param {Array<'auto' | 'admin' | 'none'>} [match] - * @param {boolean} [flagged] - * @param {string} [classes] - * @param {'student' | 'teacher' | 'admin'} [role] - * @param {'asc' | 'desc'} [sortOrder] - * @param {'firstName' | 'lastName'} [sortBy] + * + * @param {string} [firstName] + * @param {string} [lastName] + * @param {string} [loginName] + * @param {Array<'auto' | 'admin' | 'none'>} [match] + * @param {boolean} [flagged] + * @param {string} [classes] + * @param {'student' | 'teacher' | 'admin'} [role] + * @param {'asc' | 'desc'} [sortOrder] + * @param {'firstName' | 'lastName'} [sortBy] * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -19605,8 +19605,8 @@ export interface UserImportApiInterface { importUserControllerFindAllImportUsers(firstName?: string, lastName?: string, loginName?: string, match?: Array<'auto' | 'admin' | 'none'>, flagged?: boolean, classes?: string, role?: 'student' | 'teacher' | 'admin', sortOrder?: 'asc' | 'desc', sortBy?: 'firstName' | 'lastName', skip?: number, limit?: number, options?: any): AxiosPromise; /** - * - * @param {string} [name] + * + * @param {string} [name] * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -19625,7 +19625,7 @@ export interface UserImportApiInterface { importUserControllerPopulateImportUsers(options?: any): AxiosPromise; /** - * + * * @param {string} importUserId The id of an importuser object, that matches an internal user with an external user. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -19634,7 +19634,7 @@ export interface UserImportApiInterface { importUserControllerRemoveMatch(importUserId: string, options?: any): AxiosPromise; /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserImportApiInterface @@ -19642,9 +19642,9 @@ export interface UserImportApiInterface { importUserControllerSaveAllUsersMatches(options?: any): AxiosPromise; /** - * + * * @param {string} importUserId The id of an importuser object, that matches an internal user with an external user. - * @param {UpdateMatchParams} updateMatchParams + * @param {UpdateMatchParams} updateMatchParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserImportApiInterface @@ -19652,8 +19652,8 @@ export interface UserImportApiInterface { importUserControllerSetMatch(importUserId: string, updateMatchParams: UpdateMatchParams, options?: any): AxiosPromise; /** - * - * @param {boolean} useCentralLdap + * + * @param {boolean} useCentralLdap * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserImportApiInterface @@ -19661,9 +19661,9 @@ export interface UserImportApiInterface { importUserControllerStartSchoolInUserMigration(useCentralLdap: boolean, options?: any): AxiosPromise; /** - * + * * @param {string} importUserId The id of an importuser object, that matches an internal user with an external user. - * @param {UpdateFlagParams} updateFlagParams + * @param {UpdateFlagParams} updateFlagParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserImportApiInterface @@ -19680,7 +19680,7 @@ export interface UserImportApiInterface { */ export class UserImportApi extends BaseAPI implements UserImportApiInterface { /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserImportApi @@ -19690,16 +19690,16 @@ export class UserImportApi extends BaseAPI implements UserImportApiInterface { } /** - * - * @param {string} [firstName] - * @param {string} [lastName] - * @param {string} [loginName] - * @param {Array<'auto' | 'admin' | 'none'>} [match] - * @param {boolean} [flagged] - * @param {string} [classes] - * @param {'student' | 'teacher' | 'admin'} [role] - * @param {'asc' | 'desc'} [sortOrder] - * @param {'firstName' | 'lastName'} [sortBy] + * + * @param {string} [firstName] + * @param {string} [lastName] + * @param {string} [loginName] + * @param {Array<'auto' | 'admin' | 'none'>} [match] + * @param {boolean} [flagged] + * @param {string} [classes] + * @param {'student' | 'teacher' | 'admin'} [role] + * @param {'asc' | 'desc'} [sortOrder] + * @param {'firstName' | 'lastName'} [sortBy] * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -19711,8 +19711,8 @@ export class UserImportApi extends BaseAPI implements UserImportApiInterface { } /** - * - * @param {string} [name] + * + * @param {string} [name] * @param {number} [skip] Number of elements (not pages) to be skipped * @param {number} [limit] Page limit, defaults to 10. * @param {*} [options] Override http request option. @@ -19735,7 +19735,7 @@ export class UserImportApi extends BaseAPI implements UserImportApiInterface { } /** - * + * * @param {string} importUserId The id of an importuser object, that matches an internal user with an external user. * @param {*} [options] Override http request option. * @throws {RequiredError} @@ -19746,7 +19746,7 @@ export class UserImportApi extends BaseAPI implements UserImportApiInterface { } /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserImportApi @@ -19756,9 +19756,9 @@ export class UserImportApi extends BaseAPI implements UserImportApiInterface { } /** - * + * * @param {string} importUserId The id of an importuser object, that matches an internal user with an external user. - * @param {UpdateMatchParams} updateMatchParams + * @param {UpdateMatchParams} updateMatchParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserImportApi @@ -19768,8 +19768,8 @@ export class UserImportApi extends BaseAPI implements UserImportApiInterface { } /** - * - * @param {boolean} useCentralLdap + * + * @param {boolean} useCentralLdap * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserImportApi @@ -19779,9 +19779,9 @@ export class UserImportApi extends BaseAPI implements UserImportApiInterface { } /** - * + * * @param {string} importUserId The id of an importuser object, that matches an internal user with an external user. - * @param {UpdateFlagParams} updateFlagParams + * @param {UpdateFlagParams} updateFlagParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserImportApi @@ -19799,7 +19799,7 @@ export class UserImportApi extends BaseAPI implements UserImportApiInterface { export const UserLoginMigrationApiAxiosParamCreator = function (configuration?: Configuration) { return { /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19821,7 +19821,7 @@ export const UserLoginMigrationApiAxiosParamCreator = function (configuration?: await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -19832,8 +19832,8 @@ export const UserLoginMigrationApiAxiosParamCreator = function (configuration?: }; }, /** - * - * @param {string} schoolId + * + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19858,7 +19858,7 @@ export const UserLoginMigrationApiAxiosParamCreator = function (configuration?: await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -19871,7 +19871,7 @@ export const UserLoginMigrationApiAxiosParamCreator = function (configuration?: /** * Currently there can only be one migration for a user. Therefore only one migration is returned. * @summary Get UserLoginMigrations - * @param {string} [userId] + * @param {string} [userId] * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19897,7 +19897,7 @@ export const UserLoginMigrationApiAxiosParamCreator = function (configuration?: } - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -19908,8 +19908,8 @@ export const UserLoginMigrationApiAxiosParamCreator = function (configuration?: }; }, /** - * - * @param {Oauth2MigrationParams} oauth2MigrationParams + * + * @param {Oauth2MigrationParams} oauth2MigrationParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19933,7 +19933,7 @@ export const UserLoginMigrationApiAxiosParamCreator = function (configuration?: await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -19947,7 +19947,7 @@ export const UserLoginMigrationApiAxiosParamCreator = function (configuration?: }; }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -19969,7 +19969,7 @@ export const UserLoginMigrationApiAxiosParamCreator = function (configuration?: await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -19980,8 +19980,8 @@ export const UserLoginMigrationApiAxiosParamCreator = function (configuration?: }; }, /** - * - * @param {UserLoginMigrationMandatoryParams} userLoginMigrationMandatoryParams + * + * @param {UserLoginMigrationMandatoryParams} userLoginMigrationMandatoryParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20005,7 +20005,7 @@ export const UserLoginMigrationApiAxiosParamCreator = function (configuration?: await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -20019,7 +20019,7 @@ export const UserLoginMigrationApiAxiosParamCreator = function (configuration?: }; }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20041,7 +20041,7 @@ export const UserLoginMigrationApiAxiosParamCreator = function (configuration?: await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -20062,7 +20062,7 @@ export const UserLoginMigrationApiFp = function(configuration?: Configuration) { const localVarAxiosParamCreator = UserLoginMigrationApiAxiosParamCreator(configuration) return { /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20071,8 +20071,8 @@ export const UserLoginMigrationApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * - * @param {string} schoolId + * + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20083,7 +20083,7 @@ export const UserLoginMigrationApiFp = function(configuration?: Configuration) { /** * Currently there can only be one migration for a user. Therefore only one migration is returned. * @summary Get UserLoginMigrations - * @param {string} [userId] + * @param {string} [userId] * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20092,8 +20092,8 @@ export const UserLoginMigrationApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * - * @param {Oauth2MigrationParams} oauth2MigrationParams + * + * @param {Oauth2MigrationParams} oauth2MigrationParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20102,7 +20102,7 @@ export const UserLoginMigrationApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20111,8 +20111,8 @@ export const UserLoginMigrationApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * - * @param {UserLoginMigrationMandatoryParams} userLoginMigrationMandatoryParams + * + * @param {UserLoginMigrationMandatoryParams} userLoginMigrationMandatoryParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20121,7 +20121,7 @@ export const UserLoginMigrationApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20140,7 +20140,7 @@ export const UserLoginMigrationApiFactory = function (configuration?: Configurat const localVarFp = UserLoginMigrationApiFp(configuration) return { /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20148,8 +20148,8 @@ export const UserLoginMigrationApiFactory = function (configuration?: Configurat return localVarFp.userLoginMigrationControllerCloseMigration(options).then((request) => request(axios, basePath)); }, /** - * - * @param {string} schoolId + * + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20159,7 +20159,7 @@ export const UserLoginMigrationApiFactory = function (configuration?: Configurat /** * Currently there can only be one migration for a user. Therefore only one migration is returned. * @summary Get UserLoginMigrations - * @param {string} [userId] + * @param {string} [userId] * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20167,8 +20167,8 @@ export const UserLoginMigrationApiFactory = function (configuration?: Configurat return localVarFp.userLoginMigrationControllerGetMigrations(userId, options).then((request) => request(axios, basePath)); }, /** - * - * @param {Oauth2MigrationParams} oauth2MigrationParams + * + * @param {Oauth2MigrationParams} oauth2MigrationParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20176,7 +20176,7 @@ export const UserLoginMigrationApiFactory = function (configuration?: Configurat return localVarFp.userLoginMigrationControllerMigrateUserLogin(oauth2MigrationParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20184,8 +20184,8 @@ export const UserLoginMigrationApiFactory = function (configuration?: Configurat return localVarFp.userLoginMigrationControllerRestartMigration(options).then((request) => request(axios, basePath)); }, /** - * - * @param {UserLoginMigrationMandatoryParams} userLoginMigrationMandatoryParams + * + * @param {UserLoginMigrationMandatoryParams} userLoginMigrationMandatoryParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20193,7 +20193,7 @@ export const UserLoginMigrationApiFactory = function (configuration?: Configurat return localVarFp.userLoginMigrationControllerSetMigrationMandatory(userLoginMigrationMandatoryParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20210,7 +20210,7 @@ export const UserLoginMigrationApiFactory = function (configuration?: Configurat */ export interface UserLoginMigrationApiInterface { /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserLoginMigrationApiInterface @@ -20218,8 +20218,8 @@ export interface UserLoginMigrationApiInterface { userLoginMigrationControllerCloseMigration(options?: any): AxiosPromise; /** - * - * @param {string} schoolId + * + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserLoginMigrationApiInterface @@ -20229,7 +20229,7 @@ export interface UserLoginMigrationApiInterface { /** * Currently there can only be one migration for a user. Therefore only one migration is returned. * @summary Get UserLoginMigrations - * @param {string} [userId] + * @param {string} [userId] * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserLoginMigrationApiInterface @@ -20237,8 +20237,8 @@ export interface UserLoginMigrationApiInterface { userLoginMigrationControllerGetMigrations(userId?: string, options?: any): AxiosPromise; /** - * - * @param {Oauth2MigrationParams} oauth2MigrationParams + * + * @param {Oauth2MigrationParams} oauth2MigrationParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserLoginMigrationApiInterface @@ -20246,7 +20246,7 @@ export interface UserLoginMigrationApiInterface { userLoginMigrationControllerMigrateUserLogin(oauth2MigrationParams: Oauth2MigrationParams, options?: any): AxiosPromise; /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserLoginMigrationApiInterface @@ -20254,8 +20254,8 @@ export interface UserLoginMigrationApiInterface { userLoginMigrationControllerRestartMigration(options?: any): AxiosPromise; /** - * - * @param {UserLoginMigrationMandatoryParams} userLoginMigrationMandatoryParams + * + * @param {UserLoginMigrationMandatoryParams} userLoginMigrationMandatoryParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserLoginMigrationApiInterface @@ -20263,7 +20263,7 @@ export interface UserLoginMigrationApiInterface { userLoginMigrationControllerSetMigrationMandatory(userLoginMigrationMandatoryParams: UserLoginMigrationMandatoryParams, options?: any): AxiosPromise; /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserLoginMigrationApiInterface @@ -20280,7 +20280,7 @@ export interface UserLoginMigrationApiInterface { */ export class UserLoginMigrationApi extends BaseAPI implements UserLoginMigrationApiInterface { /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserLoginMigrationApi @@ -20290,8 +20290,8 @@ export class UserLoginMigrationApi extends BaseAPI implements UserLoginMigration } /** - * - * @param {string} schoolId + * + * @param {string} schoolId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserLoginMigrationApi @@ -20303,7 +20303,7 @@ export class UserLoginMigrationApi extends BaseAPI implements UserLoginMigration /** * Currently there can only be one migration for a user. Therefore only one migration is returned. * @summary Get UserLoginMigrations - * @param {string} [userId] + * @param {string} [userId] * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserLoginMigrationApi @@ -20313,8 +20313,8 @@ export class UserLoginMigrationApi extends BaseAPI implements UserLoginMigration } /** - * - * @param {Oauth2MigrationParams} oauth2MigrationParams + * + * @param {Oauth2MigrationParams} oauth2MigrationParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserLoginMigrationApi @@ -20324,7 +20324,7 @@ export class UserLoginMigrationApi extends BaseAPI implements UserLoginMigration } /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserLoginMigrationApi @@ -20334,8 +20334,8 @@ export class UserLoginMigrationApi extends BaseAPI implements UserLoginMigration } /** - * - * @param {UserLoginMigrationMandatoryParams} userLoginMigrationMandatoryParams + * + * @param {UserLoginMigrationMandatoryParams} userLoginMigrationMandatoryParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserLoginMigrationApi @@ -20345,7 +20345,7 @@ export class UserLoginMigrationApi extends BaseAPI implements UserLoginMigration } /** - * + * * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof UserLoginMigrationApi @@ -20365,8 +20365,8 @@ export const VideoConferenceApiAxiosParamCreator = function (configuration?: Con /** * Use this endpoint to end a running video conference. * @summary Ends a running video conference. - * @param {VideoConferenceScope} scope - * @param {string} scopeId + * @param {VideoConferenceScope} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20394,7 +20394,7 @@ export const VideoConferenceApiAxiosParamCreator = function (configuration?: Con await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -20407,8 +20407,8 @@ export const VideoConferenceApiAxiosParamCreator = function (configuration?: Con /** * Use this endpoint to get information about a running video conference. * @summary Returns information about a running video conference. - * @param {VideoConferenceScope} scope - * @param {string} scopeId + * @param {VideoConferenceScope} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20436,7 +20436,7 @@ export const VideoConferenceApiAxiosParamCreator = function (configuration?: Con await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -20449,8 +20449,8 @@ export const VideoConferenceApiAxiosParamCreator = function (configuration?: Con /** * Use this endpoint to get a link to join an existing video conference. The conference must be running. * @summary Creates a join link for a video conference, if it has started. - * @param {VideoConferenceScope} scope - * @param {string} scopeId + * @param {VideoConferenceScope} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20478,7 +20478,7 @@ export const VideoConferenceApiAxiosParamCreator = function (configuration?: Con await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -20491,9 +20491,9 @@ export const VideoConferenceApiAxiosParamCreator = function (configuration?: Con /** * Use this endpoint to start a video conference. If the conference is not yet running, it will be created. * @summary Creates the video conference, if it has not started yet. - * @param {VideoConferenceScope} scope - * @param {string} scopeId - * @param {VideoConferenceCreateParams} videoConferenceCreateParams + * @param {VideoConferenceScope} scope + * @param {string} scopeId + * @param {VideoConferenceCreateParams} videoConferenceCreateParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20523,7 +20523,7 @@ export const VideoConferenceApiAxiosParamCreator = function (configuration?: Con await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -20537,11 +20537,11 @@ export const VideoConferenceApiAxiosParamCreator = function (configuration?: Con }; }, /** - * + * * @summary Creates a join link for a video conference and creates the video conference, if it has not started yet. - * @param {string} scope - * @param {string} scopeId - * @param {VideoConferenceCreateParams} videoConferenceCreateParams + * @param {string} scope + * @param {string} scopeId + * @param {VideoConferenceCreateParams} videoConferenceCreateParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20571,7 +20571,7 @@ export const VideoConferenceApiAxiosParamCreator = function (configuration?: Con await setBearerAuthToObject(localVarHeaderParameter, configuration) - + localVarHeaderParameter['Content-Type'] = 'application/json'; setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); @@ -20585,10 +20585,10 @@ export const VideoConferenceApiAxiosParamCreator = function (configuration?: Con }; }, /** - * + * * @summary Ends a running video conference. - * @param {string} scope - * @param {string} scopeId + * @param {string} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20616,7 +20616,7 @@ export const VideoConferenceApiAxiosParamCreator = function (configuration?: Con await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -20627,10 +20627,10 @@ export const VideoConferenceApiAxiosParamCreator = function (configuration?: Con }; }, /** - * + * * @summary Returns information about a running video conference. - * @param {string} scope - * @param {string} scopeId + * @param {string} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20658,7 +20658,7 @@ export const VideoConferenceApiAxiosParamCreator = function (configuration?: Con await setBearerAuthToObject(localVarHeaderParameter, configuration) - + setSearchParams(localVarUrlObj, localVarQueryParameter, options.query); let headersFromBaseOptions = baseOptions && baseOptions.headers ? baseOptions.headers : {}; localVarRequestOptions.headers = {...localVarHeaderParameter, ...headersFromBaseOptions, ...options.headers}; @@ -20681,8 +20681,8 @@ export const VideoConferenceApiFp = function(configuration?: Configuration) { /** * Use this endpoint to end a running video conference. * @summary Ends a running video conference. - * @param {VideoConferenceScope} scope - * @param {string} scopeId + * @param {VideoConferenceScope} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20693,8 +20693,8 @@ export const VideoConferenceApiFp = function(configuration?: Configuration) { /** * Use this endpoint to get information about a running video conference. * @summary Returns information about a running video conference. - * @param {VideoConferenceScope} scope - * @param {string} scopeId + * @param {VideoConferenceScope} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20705,8 +20705,8 @@ export const VideoConferenceApiFp = function(configuration?: Configuration) { /** * Use this endpoint to get a link to join an existing video conference. The conference must be running. * @summary Creates a join link for a video conference, if it has started. - * @param {VideoConferenceScope} scope - * @param {string} scopeId + * @param {VideoConferenceScope} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20717,9 +20717,9 @@ export const VideoConferenceApiFp = function(configuration?: Configuration) { /** * Use this endpoint to start a video conference. If the conference is not yet running, it will be created. * @summary Creates the video conference, if it has not started yet. - * @param {VideoConferenceScope} scope - * @param {string} scopeId - * @param {VideoConferenceCreateParams} videoConferenceCreateParams + * @param {VideoConferenceScope} scope + * @param {string} scopeId + * @param {VideoConferenceCreateParams} videoConferenceCreateParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20728,11 +20728,11 @@ export const VideoConferenceApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Creates a join link for a video conference and creates the video conference, if it has not started yet. - * @param {string} scope - * @param {string} scopeId - * @param {VideoConferenceCreateParams} videoConferenceCreateParams + * @param {string} scope + * @param {string} scopeId + * @param {VideoConferenceCreateParams} videoConferenceCreateParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20741,10 +20741,10 @@ export const VideoConferenceApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Ends a running video conference. - * @param {string} scope - * @param {string} scopeId + * @param {string} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20753,10 +20753,10 @@ export const VideoConferenceApiFp = function(configuration?: Configuration) { return createRequestFunction(localVarAxiosArgs, globalAxios, BASE_PATH, configuration); }, /** - * + * * @summary Returns information about a running video conference. - * @param {string} scope - * @param {string} scopeId + * @param {string} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20777,8 +20777,8 @@ export const VideoConferenceApiFactory = function (configuration?: Configuration /** * Use this endpoint to end a running video conference. * @summary Ends a running video conference. - * @param {VideoConferenceScope} scope - * @param {string} scopeId + * @param {VideoConferenceScope} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20788,8 +20788,8 @@ export const VideoConferenceApiFactory = function (configuration?: Configuration /** * Use this endpoint to get information about a running video conference. * @summary Returns information about a running video conference. - * @param {VideoConferenceScope} scope - * @param {string} scopeId + * @param {VideoConferenceScope} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20799,8 +20799,8 @@ export const VideoConferenceApiFactory = function (configuration?: Configuration /** * Use this endpoint to get a link to join an existing video conference. The conference must be running. * @summary Creates a join link for a video conference, if it has started. - * @param {VideoConferenceScope} scope - * @param {string} scopeId + * @param {VideoConferenceScope} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20810,9 +20810,9 @@ export const VideoConferenceApiFactory = function (configuration?: Configuration /** * Use this endpoint to start a video conference. If the conference is not yet running, it will be created. * @summary Creates the video conference, if it has not started yet. - * @param {VideoConferenceScope} scope - * @param {string} scopeId - * @param {VideoConferenceCreateParams} videoConferenceCreateParams + * @param {VideoConferenceScope} scope + * @param {string} scopeId + * @param {VideoConferenceCreateParams} videoConferenceCreateParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20820,11 +20820,11 @@ export const VideoConferenceApiFactory = function (configuration?: Configuration return localVarFp.videoConferenceControllerStart(scope, scopeId, videoConferenceCreateParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Creates a join link for a video conference and creates the video conference, if it has not started yet. - * @param {string} scope - * @param {string} scopeId - * @param {VideoConferenceCreateParams} videoConferenceCreateParams + * @param {string} scope + * @param {string} scopeId + * @param {VideoConferenceCreateParams} videoConferenceCreateParams * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20832,10 +20832,10 @@ export const VideoConferenceApiFactory = function (configuration?: Configuration return localVarFp.videoConferenceDeprecatedControllerCreateAndJoin(scope, scopeId, videoConferenceCreateParams, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Ends a running video conference. - * @param {string} scope - * @param {string} scopeId + * @param {string} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20843,10 +20843,10 @@ export const VideoConferenceApiFactory = function (configuration?: Configuration return localVarFp.videoConferenceDeprecatedControllerEnd(scope, scopeId, options).then((request) => request(axios, basePath)); }, /** - * + * * @summary Returns information about a running video conference. - * @param {string} scope - * @param {string} scopeId + * @param {string} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} */ @@ -20865,8 +20865,8 @@ export interface VideoConferenceApiInterface { /** * Use this endpoint to end a running video conference. * @summary Ends a running video conference. - * @param {VideoConferenceScope} scope - * @param {string} scopeId + * @param {VideoConferenceScope} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof VideoConferenceApiInterface @@ -20876,8 +20876,8 @@ export interface VideoConferenceApiInterface { /** * Use this endpoint to get information about a running video conference. * @summary Returns information about a running video conference. - * @param {VideoConferenceScope} scope - * @param {string} scopeId + * @param {VideoConferenceScope} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof VideoConferenceApiInterface @@ -20887,8 +20887,8 @@ export interface VideoConferenceApiInterface { /** * Use this endpoint to get a link to join an existing video conference. The conference must be running. * @summary Creates a join link for a video conference, if it has started. - * @param {VideoConferenceScope} scope - * @param {string} scopeId + * @param {VideoConferenceScope} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof VideoConferenceApiInterface @@ -20898,9 +20898,9 @@ export interface VideoConferenceApiInterface { /** * Use this endpoint to start a video conference. If the conference is not yet running, it will be created. * @summary Creates the video conference, if it has not started yet. - * @param {VideoConferenceScope} scope - * @param {string} scopeId - * @param {VideoConferenceCreateParams} videoConferenceCreateParams + * @param {VideoConferenceScope} scope + * @param {string} scopeId + * @param {VideoConferenceCreateParams} videoConferenceCreateParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof VideoConferenceApiInterface @@ -20908,11 +20908,11 @@ export interface VideoConferenceApiInterface { videoConferenceControllerStart(scope: VideoConferenceScope, scopeId: string, videoConferenceCreateParams: VideoConferenceCreateParams, options?: any): AxiosPromise; /** - * + * * @summary Creates a join link for a video conference and creates the video conference, if it has not started yet. - * @param {string} scope - * @param {string} scopeId - * @param {VideoConferenceCreateParams} videoConferenceCreateParams + * @param {string} scope + * @param {string} scopeId + * @param {VideoConferenceCreateParams} videoConferenceCreateParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof VideoConferenceApiInterface @@ -20920,10 +20920,10 @@ export interface VideoConferenceApiInterface { videoConferenceDeprecatedControllerCreateAndJoin(scope: string, scopeId: string, videoConferenceCreateParams: VideoConferenceCreateParams, options?: any): AxiosPromise; /** - * + * * @summary Ends a running video conference. - * @param {string} scope - * @param {string} scopeId + * @param {string} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof VideoConferenceApiInterface @@ -20931,10 +20931,10 @@ export interface VideoConferenceApiInterface { videoConferenceDeprecatedControllerEnd(scope: string, scopeId: string, options?: any): AxiosPromise; /** - * + * * @summary Returns information about a running video conference. - * @param {string} scope - * @param {string} scopeId + * @param {string} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof VideoConferenceApiInterface @@ -20953,8 +20953,8 @@ export class VideoConferenceApi extends BaseAPI implements VideoConferenceApiInt /** * Use this endpoint to end a running video conference. * @summary Ends a running video conference. - * @param {VideoConferenceScope} scope - * @param {string} scopeId + * @param {VideoConferenceScope} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof VideoConferenceApi @@ -20966,8 +20966,8 @@ export class VideoConferenceApi extends BaseAPI implements VideoConferenceApiInt /** * Use this endpoint to get information about a running video conference. * @summary Returns information about a running video conference. - * @param {VideoConferenceScope} scope - * @param {string} scopeId + * @param {VideoConferenceScope} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof VideoConferenceApi @@ -20979,8 +20979,8 @@ export class VideoConferenceApi extends BaseAPI implements VideoConferenceApiInt /** * Use this endpoint to get a link to join an existing video conference. The conference must be running. * @summary Creates a join link for a video conference, if it has started. - * @param {VideoConferenceScope} scope - * @param {string} scopeId + * @param {VideoConferenceScope} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof VideoConferenceApi @@ -20992,9 +20992,9 @@ export class VideoConferenceApi extends BaseAPI implements VideoConferenceApiInt /** * Use this endpoint to start a video conference. If the conference is not yet running, it will be created. * @summary Creates the video conference, if it has not started yet. - * @param {VideoConferenceScope} scope - * @param {string} scopeId - * @param {VideoConferenceCreateParams} videoConferenceCreateParams + * @param {VideoConferenceScope} scope + * @param {string} scopeId + * @param {VideoConferenceCreateParams} videoConferenceCreateParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof VideoConferenceApi @@ -21004,11 +21004,11 @@ export class VideoConferenceApi extends BaseAPI implements VideoConferenceApiInt } /** - * + * * @summary Creates a join link for a video conference and creates the video conference, if it has not started yet. - * @param {string} scope - * @param {string} scopeId - * @param {VideoConferenceCreateParams} videoConferenceCreateParams + * @param {string} scope + * @param {string} scopeId + * @param {VideoConferenceCreateParams} videoConferenceCreateParams * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof VideoConferenceApi @@ -21018,10 +21018,10 @@ export class VideoConferenceApi extends BaseAPI implements VideoConferenceApiInt } /** - * + * * @summary Ends a running video conference. - * @param {string} scope - * @param {string} scopeId + * @param {string} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof VideoConferenceApi @@ -21031,10 +21031,10 @@ export class VideoConferenceApi extends BaseAPI implements VideoConferenceApiInt } /** - * + * * @summary Returns information about a running video conference. - * @param {string} scope - * @param {string} scopeId + * @param {string} scope + * @param {string} scopeId * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof VideoConferenceApi @@ -21043,3 +21043,5 @@ export class VideoConferenceApi extends BaseAPI implements VideoConferenceApiInt return VideoConferenceApiFp(this.configuration).videoConferenceDeprecatedControllerInfo(scope, scopeId, options).then((request) => request(this.axios, this.basePath)); } } + + diff --git a/src/store/common-cartridge-import.ts b/src/store/common-cartridge-import.ts new file mode 100644 index 0000000000..1cb47fe7fa --- /dev/null +++ b/src/store/common-cartridge-import.ts @@ -0,0 +1,61 @@ +import { CoursesApiFactory, CoursesApiInterface } from "@/serverApi/v3"; +import { $axios } from "@/utils/api"; +import { Action, Module, Mutation, VuexModule } from "vuex-module-decorators"; + +@Module({ + name: "commonCartridgeImportModule", + namespaced: true, + stateFactory: true, +}) +export default class CommonCartridgeImportModule extends VuexModule { + private _isOpen = false; + private _isSuccess = false; + private _file: File | undefined; + + public get file(): File | undefined { + return this._file; + } + + public get isOpen(): boolean { + return this._isOpen; + } + + public get isSuccess(): boolean { + return this._isSuccess; + } + + public get coursesApi(): CoursesApiInterface { + return CoursesApiFactory(undefined, "/v3", $axios); + } + + @Mutation + public setFile(file: File | undefined): void { + this._file = file; + } + + @Mutation + public setIsOpen(value: boolean): void { + this._isOpen = value; + } + + @Mutation + public setIsSuccess(value: boolean): void { + this._isSuccess = value; + } + + @Action + async importCommonCartridgeFile(file: File | undefined): Promise { + if (!file) { + this.setIsSuccess(false); + + return; + } + + try { + await this.coursesApi.courseControllerImportCourse(file); + this.setIsSuccess(true); + } catch (error) { + this.setIsSuccess(false); + } + } +} diff --git a/src/store/common-cartridge-import.unit.ts b/src/store/common-cartridge-import.unit.ts new file mode 100644 index 0000000000..59b779a12e --- /dev/null +++ b/src/store/common-cartridge-import.unit.ts @@ -0,0 +1,98 @@ +import { DeepMocked, createMock } from "@golevelup/ts-jest"; +import CommonCartridgeImportModule from "./common-cartridge-import"; +import { CoursesApiInterface } from "@/serverApi/v3"; + +describe("CommonCartridgeImportModule", () => { + let sut: CommonCartridgeImportModule; + let coursesApiMock: DeepMocked; + + beforeAll(() => { + sut = new CommonCartridgeImportModule({}); + coursesApiMock = createMock(); + + jest.spyOn(sut, "coursesApi", "get").mockReturnValue(coursesApiMock); + }); + + beforeEach(() => { + jest.clearAllMocks(); + }); + + describe("getters", () => { + it("file", () => { + expect(sut.file).toBeUndefined(); + }); + + it("isOpen", () => { + expect(sut.isOpen).toBe(false); + }); + + it("isSuccess", () => { + expect(sut.isSuccess).toBe(false); + }); + }); + + describe("mutations", () => { + it("setFile", () => { + const file = new File([""], "file.txt"); + + sut.setFile(file); + + expect(sut.file).toBe(file); + }); + + it("setIsOpen", () => { + sut.setIsOpen(true); + + expect(sut.isOpen).toBe(true); + }); + + it("setIsSuccess", () => { + sut.setIsSuccess(true); + + expect(sut.isSuccess).toBe(true); + }); + }); + + describe("actions", () => { + describe("importCommonCartridgeFile", () => { + it("should call courseControllerImportCourse with the given file", async () => { + const file = new File([""], "file.txt", { type: "text/plain" }); + + await sut.importCommonCartridgeFile(file); + + expect( + coursesApiMock.courseControllerImportCourse + ).toHaveBeenCalledWith(file); + }); + + it("should set isSuccess to false if the file is undefined", async () => { + await sut.importCommonCartridgeFile(undefined); + + expect(sut.isSuccess).toBe(false); + expect( + coursesApiMock.courseControllerImportCourse + ).not.toHaveBeenCalled(); + }); + + it("should set isSuccess to true if the request is successful", async () => { + const file = new File([""], "file.txt", { type: "text/plain" }); + + await sut.importCommonCartridgeFile(file); + + expect(sut.isSuccess).toBe(true); + }); + + it("should set isSuccess to false if the request fails", async () => { + const file = new File([""], "file.txt", { type: "text/plain" }); + + coursesApiMock.courseControllerImportCourse.mockRejectedValue( + new Error() + ); + + await sut.importCommonCartridgeFile(file); + + expect(sut.isSuccess).toBe(false); + }); + }); + }); +}); diff --git a/src/store/rooms.ts b/src/store/rooms.ts index f013f32311..a3cfd71263 100644 --- a/src/store/rooms.ts +++ b/src/store/rooms.ts @@ -17,6 +17,7 @@ import { RoomsData, SharingCourseObject, } from "./types/rooms"; +import { AlertPayload } from "./types/alert-payload"; @Module({ name: "roomsModule", @@ -43,6 +44,10 @@ export default class RoomsModule extends VuexModule { error: {}, }; + alertData: AlertPayload = { + status: "info", + }; + @Mutation setRoomData(data: DashboardGridElementResponse[]): void { this.roomsData = data.map((item) => { @@ -150,6 +155,11 @@ export default class RoomsModule extends VuexModule { }; } + @Mutation + setAlertData(payload: AlertPayload): void { + this.alertData = payload; + } + get getRoomsData(): Array { return this.roomsData; } @@ -190,6 +200,10 @@ export default class RoomsModule extends VuexModule { return this.roomsData.length > 0; } + get getAlertData(): AlertPayload { + return this.alertData; + } + private get dashboardApi(): DashboardApiInterface { return DashboardApiFactory(undefined, "/v3", $axios); } diff --git a/src/store/rooms.unit.ts b/src/store/rooms.unit.ts index 36a75de2e4..a53601b27e 100644 --- a/src/store/rooms.unit.ts +++ b/src/store/rooms.unit.ts @@ -3,6 +3,7 @@ import * as serverApi from "../serverApi/v3/api"; import { initializeAxios } from "../utils/api"; import { RoomsData } from "./types/rooms"; import { AxiosInstance } from "axios"; +import { AlertPayload } from "./types/alert-payload"; let receivedRequests: any[] = []; const getRequestReturn: any = {}; @@ -741,5 +742,19 @@ describe("rooms module", () => { expect(roomsModule.hasCurrentRooms).toStrictEqual(true); }); }); + + describe("getAlertData", () => { + it("should return alert data", () => { + const roomsModule = new RoomsModule({}); + const alertData: AlertPayload = { + status: "success", + text: "pages.rooms.uploadCourse.success", + autoClose: true, + }; + + roomsModule.setAlertData(alertData); + expect(roomsModule.getAlertData).toStrictEqual(alertData); + }); + }); }); }); diff --git a/src/store/store-accessor.ts b/src/store/store-accessor.ts index ccdf2af8af..2037d8033b 100644 --- a/src/store/store-accessor.ts +++ b/src/store/store-accessor.ts @@ -32,6 +32,7 @@ import TasksModule from "@/store/tasks"; import TermsOfUseModule from "@/store/terms-of-use"; import UserLoginMigrationModule from "@/store/user-login-migrations"; import VideoConferenceModule from "@/store/video-conference"; +import CommonCartridgeImportModule from "@/store/common-cartridge-import"; import { Store } from "vuex"; import { getModule } from "vuex-module-decorators"; @@ -65,6 +66,7 @@ export let systemsModule: SystemsModule; export let tasksModule: TasksModule; export let userLoginMigrationModule: UserLoginMigrationModule; export let videoConferenceModule: VideoConferenceModule; +export let commonCartridgeImportModule: CommonCartridgeImportModule; // initializer plugin: sets up state/getters/mutations/actions for each store export function initializeStores(store: Store): void { @@ -95,6 +97,7 @@ export function initializeStores(store: Store): void { tasksModule = getModule(TasksModule, store); userLoginMigrationModule = getModule(UserLoginMigrationModule, store); videoConferenceModule = getModule(VideoConferenceModule, store); + commonCartridgeImportModule = getModule(CommonCartridgeImportModule, store); } // for use in 'modules' store init (see store/index.ts), so each module @@ -128,4 +131,5 @@ export const modules = { tasksModule: TasksModule, userLoginMigrationModule: UserLoginMigrationModule, videoConferenceModule: VideoConferenceModule, + commonCartridgeImportModule: CommonCartridgeImportModule, }; diff --git a/src/store/types/env-config.ts b/src/store/types/env-config.ts index 358993cdfc..178a6588c3 100644 --- a/src/store/types/env-config.ts +++ b/src/store/types/env-config.ts @@ -14,6 +14,7 @@ export type Envs = { FEATURE_ES_COLLECTIONS_ENABLED?: boolean; FEATURE_EXTENSIONS_ENABLED?: boolean; FEATURE_IMSCC_COURSE_EXPORT_ENABLED?: boolean; + FEATURE_COMMON_CARTRIDGE_COURSE_IMPORT_ENABLED?: boolean; FEATURE_LERNSTORE_ENABLED?: boolean; FEATURE_LESSON_SHARE?: boolean; FEATURE_LOGIN_LINK_ENABLED?: boolean; diff --git a/src/utils/inject/injection-keys.ts b/src/utils/inject/injection-keys.ts index 7c098df7eb..5e10eb6a5c 100644 --- a/src/utils/inject/injection-keys.ts +++ b/src/utils/inject/injection-keys.ts @@ -4,10 +4,12 @@ import ContentModule from "@/store/content"; import ContextExternalToolsModule from "@/store/context-external-tools"; import EnvConfigModule from "@/store/env-config"; import GroupModule from "@/store/group"; +import LoadingStateModule from "@/store/loading-state"; import NewsModule from "@/store/news"; import NotifierModule from "@/store/notifier"; import PrivacyPolicyModule from "@/store/privacy-policy"; import RoomModule from "@/store/room"; +import RoomsModule from "@/store/rooms"; import SchoolExternalToolsModule from "@/store/school-external-tools"; import SchoolsModule from "@/store/schools"; import StatusAlertsModule from "@/store/status-alerts"; @@ -15,6 +17,7 @@ import SystemsModule from "@/store/systems"; import TermsOfUseModule from "@/store/terms-of-use"; import UserLoginMigrationModule from "@/store/user-login-migrations"; import VideoConferenceModule from "@/store/video-conference"; +import CommonCartridgeImportModule from "@/store/common-cartridge-import"; import { InjectionKey } from "vue"; export const ENV_CONFIG_MODULE_KEY: InjectionKey = @@ -45,8 +48,14 @@ export const TERMS_OF_USE_MODULE_KEY: InjectionKey = Symbol("termsOfUseModule"); export const SCHOOLS_MODULE_KEY: InjectionKey = Symbol("schoolsModule"); +export const ROOMS_MODULE_KEY: InjectionKey = + Symbol("roomsModule"); +export const LOADING_STATE_MODULE_KEY: InjectionKey = + Symbol("loadingStateModule"); export const NEWS_MODULE_KEY: InjectionKey = Symbol("newsModule"); export const CONTENT_MODULE_KEY: InjectionKey = Symbol("contentModule"); +export const COMMON_CARTRIDGE_IMPORT_MODULE_KEY: InjectionKey = + Symbol("commonCartridgeImportModule"); export const THEME_KEY: InjectionKey<{ name: string }> = Symbol("theme");