index
int64
0
0
repo_id
stringlengths
21
232
file_path
stringlengths
34
259
content
stringlengths
1
14.1M
__index_level_0__
int64
0
10k
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/RunDetails.test.tsx
/* * Copyright 2018-2019 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import { Api, GetArtifactTypesResponse } from '@kubeflow/frontend'; import { mount, ReactWrapper, shallow, ShallowWrapper } from 'enzyme'; import * as React from 'react'; import { render } from '@testing-library/react'; import { createMemoryHistory } from 'history'; import { Workflow } from 'third_party/argo-ui/argo_template'; import { ApiResourceType, ApiRunDetail, RunStorageState } from '../apis/run'; import { QUERY_PARAMS, RoutePage, RouteParams } from '../components/Router'; import { PlotType } from '../components/viewers/Viewer'; import { Apis } from '../lib/Apis'; import { ButtonKeys } from '../lib/Buttons'; import { OutputArtifactLoader } from '../lib/OutputArtifactLoader'; import { NodePhase } from '../lib/StatusUtils'; import * as Utils from '../lib/Utils'; import WorkflowParser from '../lib/WorkflowParser'; import TestUtils from '../TestUtils'; import { PageProps } from './Page'; import EnhancedRunDetails, { TEST_ONLY, RunDetailsInternalProps } from './RunDetails'; import { Router } from 'react-router-dom'; import { NamespaceContext } from 'src/lib/KubeflowClient'; const RunDetails = TEST_ONLY.RunDetails; const STEP_TABS = { INPUT_OUTPUT: 0, VISUALIZATIONS: 1, ML_METADATA: 2, VOLUMES: 3, LOGS: 4, POD: 5, EVENTS: 6, MANIFEST: 7, }; const NODE_DETAILS_SELECTOR = '[data-testid="run-details-node-details"]'; describe('RunDetails', () => { let updateBannerSpy: any; let updateDialogSpy: any; let updateSnackbarSpy: any; let updateToolbarSpy: any; let historyPushSpy: any; let getRunSpy: any; let getExperimentSpy: any; let isCustomVisualizationsAllowedSpy: any; let getPodLogsSpy: any; let pathsParser: any; let pathsWithStepsParser: any; let loaderSpy: any; let retryRunSpy: any; let terminateRunSpy: any; let artifactTypesSpy: any; let formatDateStringSpy: any; let testRun: ApiRunDetail = {}; let tree: ShallowWrapper | ReactWrapper; function generateProps(): RunDetailsInternalProps & PageProps { const pageProps: PageProps = { history: { push: historyPushSpy } as any, location: '' as any, match: { params: { [RouteParams.runId]: testRun.run!.id }, isExact: true, path: '', url: '' }, toolbarProps: { actions: {}, breadcrumbs: [], pageTitle: '' }, updateBanner: updateBannerSpy, updateDialog: updateDialogSpy, updateSnackbar: updateSnackbarSpy, updateToolbar: updateToolbarSpy, }; return Object.assign(pageProps, { toolbarProps: new RunDetails(pageProps).getInitialToolbarState(), gkeMetadata: {}, }); } beforeEach(() => { // The RunDetails page uses timers to periodically refresh jest.useFakeTimers(); // TODO: mute error only for tests that are expected to have error jest.spyOn(console, 'error').mockImplementation(() => null); testRun = { pipeline_runtime: { workflow_manifest: '{}', }, run: { created_at: new Date(2018, 8, 5, 4, 3, 2), description: 'test run description', id: 'test-run-id', name: 'test run', pipeline_spec: { parameters: [{ name: 'param1', value: 'value1' }], pipeline_id: 'some-pipeline-id', }, status: 'Succeeded', }, }; updateBannerSpy = jest.fn(); updateDialogSpy = jest.fn(); updateSnackbarSpy = jest.fn(); updateToolbarSpy = jest.fn(); historyPushSpy = jest.fn(); getRunSpy = jest.spyOn(Apis.runServiceApi, 'getRun'); getExperimentSpy = jest.spyOn(Apis.experimentServiceApi, 'getExperiment'); isCustomVisualizationsAllowedSpy = jest.spyOn(Apis, 'areCustomVisualizationsAllowed'); getPodLogsSpy = jest.spyOn(Apis, 'getPodLogs'); pathsParser = jest.spyOn(WorkflowParser, 'loadNodeOutputPaths'); pathsWithStepsParser = jest.spyOn(WorkflowParser, 'loadAllOutputPathsWithStepNames'); loaderSpy = jest.spyOn(OutputArtifactLoader, 'load'); retryRunSpy = jest.spyOn(Apis.runServiceApi, 'retryRun'); terminateRunSpy = jest.spyOn(Apis.runServiceApi, 'terminateRun'); artifactTypesSpy = jest.spyOn(Api.getInstance().metadataStoreService, 'getArtifactTypes'); // We mock this because it uses toLocaleDateString, which causes mismatches between local and CI // test environments formatDateStringSpy = jest.spyOn(Utils, 'formatDateString'); getRunSpy.mockImplementation(() => Promise.resolve(testRun)); getExperimentSpy.mockImplementation(() => Promise.resolve({ id: 'some-experiment-id', name: 'some experiment' }), ); isCustomVisualizationsAllowedSpy.mockImplementation(() => Promise.resolve(false)); getPodLogsSpy.mockImplementation(() => 'test logs'); pathsParser.mockImplementation(() => []); pathsWithStepsParser.mockImplementation(() => []); loaderSpy.mockImplementation(() => Promise.resolve([])); formatDateStringSpy.mockImplementation(() => '1/2/2019, 12:34:56 PM'); artifactTypesSpy.mockImplementation(() => { // TODO: This is temporary workaround to let tfx artifact resolving logic fail early. // We should add proper testing for those cases later too. const response = new GetArtifactTypesResponse(); response.setArtifactTypesList([]); return response; }); }); afterEach(async () => { if (tree && tree.exists()) { // unmount() should be called before resetAllMocks() in case any part of the unmount life cycle // depends on mocks/spies await tree.unmount(); } jest.resetAllMocks(); jest.restoreAllMocks(); }); it('shows success run status in page title', async () => { tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); const lastCall = updateToolbarSpy.mock.calls[2][0]; expect(lastCall.pageTitle).toMatchSnapshot(); }); it('shows failure run status in page title', async () => { testRun.run!.status = 'Failed'; tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); const lastCall = updateToolbarSpy.mock.calls[2][0]; expect(lastCall.pageTitle).toMatchSnapshot(); }); it('has a clone button, clicking it navigates to new run page', async () => { tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); const instance = tree.instance() as RunDetails; const cloneBtn = instance.getInitialToolbarState().actions[ButtonKeys.CLONE_RUN]; expect(cloneBtn).toBeDefined(); await cloneBtn!.action(); expect(historyPushSpy).toHaveBeenCalledTimes(1); expect(historyPushSpy).toHaveBeenLastCalledWith( RoutePage.NEW_RUN + `?${QUERY_PARAMS.cloneFromRun}=${testRun.run!.id}`, ); }); it('clicking the clone button when the page is half-loaded navigates to new run page with run id', async () => { tree = shallow(<RunDetails {...generateProps()} />); // Intentionally don't wait until all network requests finish. const instance = tree.instance() as RunDetails; const cloneBtn = instance.getInitialToolbarState().actions[ButtonKeys.CLONE_RUN]; expect(cloneBtn).toBeDefined(); await cloneBtn!.action(); expect(historyPushSpy).toHaveBeenCalledTimes(1); expect(historyPushSpy).toHaveBeenLastCalledWith( RoutePage.NEW_RUN + `?${QUERY_PARAMS.cloneFromRun}=${testRun.run!.id}`, ); }); it('has a retry button', async () => { tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); const instance = tree.instance() as RunDetails; const retryBtn = instance.getInitialToolbarState().actions[ButtonKeys.RETRY]; expect(retryBtn).toBeDefined(); }); it('shows retry confirmation dialog when retry button is clicked', async () => { tree = shallow(<RunDetails {...generateProps()} />); const instance = tree.instance() as RunDetails; const retryBtn = instance.getInitialToolbarState().actions[ButtonKeys.RETRY]; await retryBtn!.action(); expect(updateDialogSpy).toHaveBeenCalledTimes(1); expect(updateDialogSpy).toHaveBeenLastCalledWith( expect.objectContaining({ title: 'Retry this run?', }), ); }); it('does not call retry API for selected run when retry dialog is canceled', async () => { tree = shallow(<RunDetails {...generateProps()} />); const instance = tree.instance() as RunDetails; const retryBtn = instance.getInitialToolbarState().actions[ButtonKeys.RETRY]; await retryBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const cancelBtn = call.buttons.find((b: any) => b.text === 'Cancel'); await cancelBtn.onClick(); expect(retryRunSpy).not.toHaveBeenCalled(); }); it('calls retry API when retry dialog is confirmed', async () => { tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); const instance = tree.instance() as RunDetails; const retryBtn = instance.getInitialToolbarState().actions[ButtonKeys.RETRY]; await retryBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const confirmBtn = call.buttons.find((b: any) => b.text === 'Retry'); await confirmBtn.onClick(); expect(retryRunSpy).toHaveBeenCalledTimes(1); expect(retryRunSpy).toHaveBeenLastCalledWith(testRun.run!.id); }); it('calls retry API when retry dialog is confirmed and page is half-loaded', async () => { tree = shallow(<RunDetails {...generateProps()} />); // Intentionally don't wait until all network requests finish. const instance = tree.instance() as RunDetails; const retryBtn = instance.getInitialToolbarState().actions[ButtonKeys.RETRY]; await retryBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const confirmBtn = call.buttons.find((b: any) => b.text === 'Retry'); await confirmBtn.onClick(); expect(retryRunSpy).toHaveBeenCalledTimes(1); expect(retryRunSpy).toHaveBeenLastCalledWith(testRun.run!.id); }); it('shows an error dialog when retry API fails', async () => { retryRunSpy.mockImplementation(() => Promise.reject('mocked error')); tree = mount(<RunDetails {...generateProps()} />); await TestUtils.flushPromises(); const instance = tree.instance() as RunDetails; const retryBtn = instance.getInitialToolbarState().actions[ButtonKeys.RETRY]; await retryBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const confirmBtn = call.buttons.find((b: any) => b.text === 'Retry'); await confirmBtn.onClick(); expect(updateDialogSpy).toHaveBeenLastCalledWith( expect.objectContaining({ content: 'Failed to retry run: test-run-id with error: ""mocked error""', }), ); // There shouldn't be a snackbar on error. expect(updateSnackbarSpy).not.toHaveBeenCalled(); }); it('has a terminate button', async () => { tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); const instance = tree.instance() as RunDetails; const terminateBtn = instance.getInitialToolbarState().actions[ButtonKeys.TERMINATE_RUN]; expect(terminateBtn).toBeDefined(); }); it('shows terminate confirmation dialog when terminate button is clicked', async () => { tree = shallow(<RunDetails {...generateProps()} />); const instance = tree.instance() as RunDetails; const terminateBtn = instance.getInitialToolbarState().actions[ButtonKeys.TERMINATE_RUN]; await terminateBtn!.action(); expect(updateDialogSpy).toHaveBeenCalledTimes(1); expect(updateDialogSpy).toHaveBeenLastCalledWith( expect.objectContaining({ title: 'Terminate this run?', }), ); }); it('does not call terminate API for selected run when terminate dialog is canceled', async () => { tree = shallow(<RunDetails {...generateProps()} />); const instance = tree.instance() as RunDetails; const terminateBtn = instance.getInitialToolbarState().actions[ButtonKeys.TERMINATE_RUN]; await terminateBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const cancelBtn = call.buttons.find((b: any) => b.text === 'Cancel'); await cancelBtn.onClick(); expect(terminateRunSpy).not.toHaveBeenCalled(); }); it('calls terminate API when terminate dialog is confirmed', async () => { tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); const instance = tree.instance() as RunDetails; const terminateBtn = instance.getInitialToolbarState().actions[ButtonKeys.TERMINATE_RUN]; await terminateBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const confirmBtn = call.buttons.find((b: any) => b.text === 'Terminate'); await confirmBtn.onClick(); expect(terminateRunSpy).toHaveBeenCalledTimes(1); expect(terminateRunSpy).toHaveBeenLastCalledWith(testRun.run!.id); }); it('calls terminate API when terminate dialog is confirmed and page is half-loaded', async () => { tree = shallow(<RunDetails {...generateProps()} />); // Intentionally don't wait until all network requests finish. const instance = tree.instance() as RunDetails; const terminateBtn = instance.getInitialToolbarState().actions[ButtonKeys.TERMINATE_RUN]; await terminateBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const confirmBtn = call.buttons.find((b: any) => b.text === 'Terminate'); await confirmBtn.onClick(); expect(terminateRunSpy).toHaveBeenCalledTimes(1); expect(terminateRunSpy).toHaveBeenLastCalledWith(testRun.run!.id); }); it('has an Archive button if the run is not archived', async () => { tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); expect(TestUtils.getToolbarButton(updateToolbarSpy, ButtonKeys.ARCHIVE)).toBeDefined(); expect(TestUtils.getToolbarButton(updateToolbarSpy, ButtonKeys.RESTORE)).toBeUndefined(); }); it('shows "All runs" in breadcrumbs if the run is not archived', async () => { tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); expect(updateToolbarSpy).toHaveBeenLastCalledWith( expect.objectContaining({ breadcrumbs: [{ displayName: 'All runs', href: RoutePage.RUNS }], }), ); }); it('shows experiment name in breadcrumbs if the run is not archived', async () => { testRun.run!.resource_references = [ { key: { id: 'some-experiment-id', type: ApiResourceType.EXPERIMENT } }, ]; tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); expect(updateToolbarSpy).toHaveBeenLastCalledWith( expect.objectContaining({ breadcrumbs: [ { displayName: 'Experiments', href: RoutePage.EXPERIMENTS }, { displayName: 'some experiment', href: RoutePage.EXPERIMENT_DETAILS.replace( ':' + RouteParams.experimentId, 'some-experiment-id', ), }, ], }), ); }); it('has a Restore button if the run is archived', async () => { testRun.run!.storage_state = RunStorageState.ARCHIVED; tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); expect(TestUtils.getToolbarButton(updateToolbarSpy, ButtonKeys.RESTORE)).toBeDefined(); expect(TestUtils.getToolbarButton(updateToolbarSpy, ButtonKeys.ARCHIVE)).toBeUndefined(); }); it('shows Archive in breadcrumbs if the run is archived', async () => { testRun.run!.storage_state = RunStorageState.ARCHIVED; tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); expect(updateToolbarSpy).toHaveBeenLastCalledWith( expect.objectContaining({ breadcrumbs: [{ displayName: 'Archive', href: RoutePage.ARCHIVED_RUNS }], }), ); }); it('renders an empty run', async () => { tree = shallow(<RunDetails {...generateProps()} />); await TestUtils.flushPromises(); expect(tree).toMatchSnapshot(); }); it('calls the get run API once to load it', async () => { tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); expect(getRunSpy).toHaveBeenCalledTimes(1); expect(getRunSpy).toHaveBeenLastCalledWith(testRun.run!.id); }); it('shows an error banner if get run API fails', async () => { TestUtils.makeErrorResponseOnce(getRunSpy, 'woops'); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); expect(updateBannerSpy).toHaveBeenCalledTimes(2); // Once initially to clear expect(updateBannerSpy).toHaveBeenLastCalledWith( expect.objectContaining({ additionalInfo: 'woops', message: 'Error: failed to retrieve run: ' + testRun.run!.id + '. Click Details for more information.', mode: 'error', }), ); }); it('shows an error banner if get experiment API fails', async () => { testRun.run!.resource_references = [ { key: { id: 'experiment1', type: ApiResourceType.EXPERIMENT } }, ]; TestUtils.makeErrorResponseOnce(getExperimentSpy, 'woops'); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); expect(updateBannerSpy).toHaveBeenCalledTimes(2); // Once initially to clear expect(updateBannerSpy).toHaveBeenLastCalledWith( expect.objectContaining({ additionalInfo: 'woops', message: 'Error: failed to retrieve run: ' + testRun.run!.id + '. Click Details for more information.', mode: 'error', }), ); }); it('calls the get experiment API once to load it if the run has its reference', async () => { testRun.run!.resource_references = [ { key: { id: 'experiment1', type: ApiResourceType.EXPERIMENT } }, ]; tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); expect(getRunSpy).toHaveBeenCalledTimes(1); expect(getRunSpy).toHaveBeenLastCalledWith(testRun.run!.id); expect(getExperimentSpy).toHaveBeenCalledTimes(1); expect(getExperimentSpy).toHaveBeenLastCalledWith('experiment1'); }); it('shows workflow errors as page error', async () => { jest .spyOn(WorkflowParser, 'getWorkflowError') .mockImplementationOnce(() => 'some error message'); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); expect(updateBannerSpy).toHaveBeenCalledTimes(2); // Once to clear on init, once for error expect(updateBannerSpy).toHaveBeenLastCalledWith( expect.objectContaining({ additionalInfo: 'some error message', message: 'Error: found errors when executing run: ' + testRun.run!.id + '. Click Details for more information.', mode: 'error', }), ); }); it('switches to run output tab, shows empty message', async () => { tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); tree.find('MD2Tabs').simulate('switch', 1); expect(tree.state('selectedTab')).toBe(1); await TestUtils.flushPromises(); expect(tree).toMatchSnapshot(); }); it("loads the run's outputs in the output tab", async () => { pathsWithStepsParser.mockImplementation(() => [ { stepName: 'step1', path: { source: 'gcs', bucket: 'somebucket', key: 'somekey' } }, ]); pathsParser.mockImplementation(() => [{ source: 'gcs', bucket: 'somebucket', key: 'somekey' }]); loaderSpy.mockImplementation(() => Promise.resolve([{ type: PlotType.TENSORBOARD, url: 'some url' }]), ); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); tree.find('MD2Tabs').simulate('switch', 1); expect(tree.state('selectedTab')).toBe(1); await TestUtils.flushPromises(); expect(tree).toMatchSnapshot(); }); it('switches to config tab', async () => { tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); tree.find('MD2Tabs').simulate('switch', 2); expect(tree.state('selectedTab')).toBe(2); expect(tree).toMatchSnapshot(); }); it('shows run config fields', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ metadata: { creationTimestamp: new Date(2018, 6, 5, 4, 3, 2).toISOString(), }, spec: { arguments: { parameters: [ { name: 'param1', value: 'value1', }, { name: 'param2', value: 'value2', }, ], }, }, status: { finishedAt: new Date(2018, 6, 6, 5, 4, 3).toISOString(), phase: 'Skipped', startedAt: new Date(2018, 6, 5, 4, 3, 2).toISOString(), }, } as Workflow); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); tree.find('MD2Tabs').simulate('switch', 2); expect(tree.state('selectedTab')).toBe(2); expect(tree).toMatchSnapshot(); }); it('shows run config fields - handles no description', async () => { delete testRun.run!.description; testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ metadata: { creationTimestamp: new Date(2018, 6, 5, 4, 3, 2).toISOString(), }, status: { finishedAt: new Date(2018, 6, 6, 5, 4, 3).toISOString(), phase: 'Skipped', startedAt: new Date(2018, 6, 5, 4, 3, 2).toISOString(), }, } as Workflow); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); tree.find('MD2Tabs').simulate('switch', 2); expect(tree.state('selectedTab')).toBe(2); expect(tree).toMatchSnapshot(); }); it('shows run config fields - handles no metadata', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { finishedAt: new Date(2018, 6, 6, 5, 4, 3).toISOString(), phase: 'Skipped', startedAt: new Date(2018, 6, 5, 4, 3, 2).toISOString(), }, } as Workflow); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); tree.find('MD2Tabs').simulate('switch', 2); expect(tree.state('selectedTab')).toBe(2); expect(tree).toMatchSnapshot(); }); it('shows a one-node graph', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1' } } }, }); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); expect(tree).toMatchSnapshot(); }); it('opens side panel when graph node is clicked', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1' } } }, }); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); expect(tree.state('selectedNodeDetails')).toHaveProperty('id', 'node1'); expect(tree).toMatchSnapshot(); }); it('shows clicked node message in side panel', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1', message: 'some test message', phase: 'Succeeded', }, }, }, }); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); expect(tree.state('selectedNodeDetails')).toHaveProperty( 'phaseMessage', 'This step is in ' + testRun.run!.status + ' state with this message: some test message', ); expect(tree.find('Banner')).toMatchInlineSnapshot(` <Banner message="This step is in Succeeded state with this message: some test message" mode="warning" /> `); }); it('shows clicked node output in side pane', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1' } } }, }); pathsWithStepsParser.mockImplementation(() => [ { stepName: 'step1', path: { source: 'gcs', bucket: 'somebucket', key: 'somekey' } }, ]); pathsParser.mockImplementation(() => [{ source: 'gcs', bucket: 'somebucket', key: 'somekey' }]); loaderSpy.mockImplementation(() => Promise.resolve([{ type: PlotType.TENSORBOARD, url: 'some url' }]), ); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); await pathsParser; await pathsWithStepsParser; await loaderSpy; await artifactTypesSpy; await TestUtils.flushPromises(); // TODO: fix this test and write additional tests for the ArtifactTabContent component. // expect(pathsWithStepsParser).toHaveBeenCalledTimes(1); // Loading output list // expect(pathsParser).toHaveBeenCalledTimes(1); // expect(pathsParser).toHaveBeenLastCalledWith({ id: 'node1' }); // expect(loaderSpy).toHaveBeenCalledTimes(2); // expect(loaderSpy).toHaveBeenLastCalledWith({ // bucket: 'somebucket', // key: 'somekey', // source: 'gcs', // }); // expect(tree.state('selectedNodeDetails')).toMatchObject({ id: 'node1' }); // expect(tree).toMatchSnapshot(); }); it('switches to inputs/outputs tab in side pane', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1', inputs: { parameters: [{ name: 'input1', value: 'val1' }], }, name: 'node1', outputs: { parameters: [ { name: 'output1', value: 'val1' }, { name: 'output2', value: 'value2' }, ], }, phase: 'Succeeded', }, }, }, }); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); tree .find('MD2Tabs') .at(1) .simulate('switch', STEP_TABS.INPUT_OUTPUT); await TestUtils.flushPromises(); expect(tree.state('sidepanelSelectedTab')).toEqual(STEP_TABS.INPUT_OUTPUT); expect(tree).toMatchSnapshot(); }); it('switches to volumes tab in side pane', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1' } } }, }); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); tree .find('MD2Tabs') .at(1) .simulate('switch', STEP_TABS.VOLUMES); expect(tree.state('sidepanelSelectedTab')).toEqual(STEP_TABS.VOLUMES); expect(tree).toMatchSnapshot(); }); it('switches to manifest tab in side pane', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1' } } }, }); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); tree .find('MD2Tabs') .at(1) .simulate('switch', STEP_TABS.MANIFEST); expect(tree.state('sidepanelSelectedTab')).toEqual(STEP_TABS.MANIFEST); expect(tree).toMatchSnapshot(); }); it('closes side panel when close button is clicked', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1' } } }, }); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); await TestUtils.flushPromises(); expect(tree.state('selectedNodeDetails')).toHaveProperty('id', 'node1'); tree.find('SidePanel').simulate('close'); expect(tree.state('selectedNodeDetails')).toBeNull(); await TestUtils.flushPromises(); expect(tree).toMatchSnapshot(); }); it('keeps side pane open and on same tab when page is refreshed', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1' } } }, }); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); tree .find('MD2Tabs') .at(1) .simulate('switch', STEP_TABS.LOGS); expect(tree.state('selectedNodeDetails')).toHaveProperty('id', 'node1'); expect(tree.state('sidepanelSelectedTab')).toEqual(STEP_TABS.LOGS); await (tree.instance() as RunDetails).refresh(); expect(getRunSpy).toHaveBeenCalledTimes(2); expect(tree.state('selectedNodeDetails')).toHaveProperty('id', 'node1'); expect(tree.state('sidepanelSelectedTab')).toEqual(STEP_TABS.LOGS); }); it('keeps side pane open and on same tab when more nodes are added after refresh', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1' }, node2: { id: 'node2' }, }, }, }); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); tree .find('MD2Tabs') .at(1) .simulate('switch', STEP_TABS.LOGS); expect(tree.state('selectedNodeDetails')).toHaveProperty('id', 'node1'); expect(tree.state('sidepanelSelectedTab')).toEqual(STEP_TABS.LOGS); await (tree.instance() as RunDetails).refresh(); expect(getRunSpy).toHaveBeenCalledTimes(2); expect(tree.state('selectedNodeDetails')).toHaveProperty('id', 'node1'); expect(tree.state('sidepanelSelectedTab')).toEqual(STEP_TABS.LOGS); }); it('keeps side pane open and on same tab when run status changes, shows new status', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1' } } }, }); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); tree .find('MD2Tabs') .at(1) .simulate('switch', STEP_TABS.LOGS); expect(tree.state('selectedNodeDetails')).toHaveProperty('id', 'node1'); expect(tree.state('sidepanelSelectedTab')).toEqual(STEP_TABS.LOGS); expect(updateToolbarSpy).toHaveBeenCalledTimes(3); const thirdCall = updateToolbarSpy.mock.calls[2][0]; expect(thirdCall.pageTitle).toMatchSnapshot(); testRun.run!.status = 'Failed'; await (tree.instance() as RunDetails).refresh(); const fourthCall = updateToolbarSpy.mock.calls[3][0]; expect(fourthCall.pageTitle).toMatchSnapshot(); }); it('shows node message banner if node receives message after refresh', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1', phase: 'Succeeded', message: '' } } }, }); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); tree .find('MD2Tabs') .at(1) .simulate('switch', STEP_TABS.LOGS); expect(tree.state('selectedNodeDetails')).toHaveProperty('phaseMessage', undefined); testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1', phase: 'Succeeded', message: 'some node message' } }, }, }); await (tree.instance() as RunDetails).refresh(); expect(tree.state('selectedNodeDetails')).toHaveProperty( 'phaseMessage', 'This step is in Succeeded state with this message: some node message', ); }); it('dismisses node message banner if node loses message after refresh', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1', phase: 'Succeeded', message: 'some node message' } }, }, }); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); tree .find('MD2Tabs') .at(1) .simulate('switch', STEP_TABS.LOGS); expect(tree.state('selectedNodeDetails')).toHaveProperty( 'phaseMessage', 'This step is in Succeeded state with this message: some node message', ); testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1' } } }, }); await (tree.instance() as RunDetails).refresh(); expect(tree.state('selectedNodeDetails')).toHaveProperty('phaseMessage', undefined); }); [NodePhase.RUNNING, NodePhase.PENDING, NodePhase.UNKNOWN].forEach(unfinishedStatus => { it(`displays a spinner if graph is not defined and run has status: ${unfinishedStatus}`, async () => { const unfinishedRun = { pipeline_runtime: { // No graph workflow_manifest: '{}', }, run: { id: 'test-run-id', name: 'test run', status: unfinishedStatus, }, }; getRunSpy.mockImplementationOnce(() => Promise.resolve(unfinishedRun)); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); expect(tree).toMatchSnapshot(); }); }); [NodePhase.ERROR, NodePhase.FAILED, NodePhase.SUCCEEDED, NodePhase.SKIPPED].forEach( finishedStatus => { it(`displays a message indicating there is no graph if graph is not defined and run has status: ${finishedStatus}`, async () => { const unfinishedRun = { pipeline_runtime: { // No graph workflow_manifest: '{}', }, run: { id: 'test-run-id', name: 'test run', status: finishedStatus, }, }; getRunSpy.mockImplementationOnce(() => Promise.resolve(unfinishedRun)); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); expect(tree).toMatchSnapshot(); }); }, ); it('shows an error banner if the custom visualizations state API fails', async () => { TestUtils.makeErrorResponseOnce(isCustomVisualizationsAllowedSpy, 'woops'); tree = shallow(<RunDetails {...generateProps()} />); await isCustomVisualizationsAllowedSpy; await TestUtils.flushPromises(); expect(updateBannerSpy).toHaveBeenCalledTimes(2); // Once initially to clear expect(updateBannerSpy).toHaveBeenLastCalledWith( expect.objectContaining({ additionalInfo: 'woops', message: 'Error: Unable to enable custom visualizations. Click Details for more information.', mode: 'error', }), ); }); describe('logs tab', () => { it('switches to logs tab in side pane', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1' } } }, }); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); tree .find('MD2Tabs') .at(1) .simulate('switch', STEP_TABS.LOGS); expect(tree.state('sidepanelSelectedTab')).toEqual(STEP_TABS.LOGS); expect(tree).toMatchSnapshot(); }); it('loads and shows logs in side pane', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1' } } }, }); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); tree .find('MD2Tabs') .at(1) .simulate('switch', STEP_TABS.LOGS); await getPodLogsSpy; expect(getPodLogsSpy).toHaveBeenCalledTimes(1); expect(getPodLogsSpy).toHaveBeenLastCalledWith('node1', undefined); expect(tree).toMatchSnapshot(); }); it('shows stackdriver link next to logs in GKE', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1' } } }, }); tree = shallow( <RunDetails {...generateProps()} gkeMetadata={{ projectId: 'test-project-id', clusterName: 'test-cluster-name' }} />, ); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); tree .find('MD2Tabs') .at(1) .simulate('switch', STEP_TABS.LOGS); await getPodLogsSpy; await TestUtils.flushPromises(); expect(tree.find(NODE_DETAILS_SELECTOR)).toMatchInlineSnapshot(` <div className="page" data-testid="run-details-node-details" > <div className="page" > <div className="" > Logs can also be viewed in <a className="link unstyled" href="https://console.cloud.google.com/logs/viewer?project=test-project-id&interval=NO_LIMIT&advancedFilter=resource.type%3D\\"k8s_container\\"%0Aresource.labels.cluster_name:\\"test-cluster-name\\"%0Aresource.labels.pod_name:\\"node1\\"" rel="noopener noreferrer" target="_blank" > Stackdriver Kubernetes Monitoring </a> . </div> <div className="pageOverflowHidden" > <LogViewer logLines={ Array [ "test logs", ] } /> </div> </div> </div> `); }); it("loads logs in run's namespace", async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ metadata: { namespace: 'username' }, status: { nodes: { node1: { id: 'node1' } } }, }); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); tree .find('MD2Tabs') .at(1) .simulate('switch', STEP_TABS.LOGS); await getPodLogsSpy; expect(getPodLogsSpy).toHaveBeenCalledTimes(1); expect(getPodLogsSpy).toHaveBeenLastCalledWith('node1', 'username'); }); it('shows warning banner and link to Stackdriver in logs area if fetching logs failed and cluster is in GKE', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1' } } }, }); TestUtils.makeErrorResponseOnce(getPodLogsSpy, 'getting logs failed'); tree = shallow( <RunDetails {...generateProps()} gkeMetadata={{ projectId: 'test-project-id', clusterName: 'test-cluster-name' }} />, ); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); tree .find('MD2Tabs') .at(1) .simulate('switch', STEP_TABS.LOGS); await getPodLogsSpy; await TestUtils.flushPromises(); expect(tree.find(NODE_DETAILS_SELECTOR)).toMatchInlineSnapshot(` <div className="page" data-testid="run-details-node-details" > <div className="page" > <Banner additionalInfo="getting logs failed" message="Warning: failed to retrieve pod logs. Possible reasons include cluster autoscaling or pod preemption" mode="warning" refresh={[Function]} /> <div className="" > Logs can also be viewed in <a className="link unstyled" href="https://console.cloud.google.com/logs/viewer?project=test-project-id&interval=NO_LIMIT&advancedFilter=resource.type%3D\\"k8s_container\\"%0Aresource.labels.cluster_name:\\"test-cluster-name\\"%0Aresource.labels.pod_name:\\"node1\\"" rel="noopener noreferrer" target="_blank" > Stackdriver Kubernetes Monitoring </a> . </div> </div> </div> `); }); it('shows warning banner without stackdriver link in logs area if fetching logs failed and cluster is not in GKE', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1' } } }, }); TestUtils.makeErrorResponseOnce(getPodLogsSpy, 'getting logs failed'); tree = shallow(<RunDetails {...generateProps()} gkeMetadata={{}} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); tree .find('MD2Tabs') .at(1) .simulate('switch', STEP_TABS.LOGS); await getPodLogsSpy; await TestUtils.flushPromises(); expect(tree.find('[data-testid="run-details-node-details"]')).toMatchInlineSnapshot(` <div className="page" data-testid="run-details-node-details" > <div className="page" > <Banner additionalInfo="getting logs failed" message="Warning: failed to retrieve pod logs. Possible reasons include cluster autoscaling or pod preemption" mode="warning" refresh={[Function]} /> </div> </div> `); }); it('does not load logs if clicked node status is skipped', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1', phase: 'Skipped', }, }, }, }); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); tree .find('MD2Tabs') .at(1) .simulate('switch', STEP_TABS.LOGS); await getPodLogsSpy; await TestUtils.flushPromises(); expect(getPodLogsSpy).not.toHaveBeenCalled(); expect(tree.state()).toMatchObject({ logsBannerAdditionalInfo: '', logsBannerMessage: '', }); expect(tree).toMatchSnapshot(); }); it('keeps side pane open and on same tab when logs change after refresh', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1' } } }, }); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); tree .find('MD2Tabs') .at(1) .simulate('switch', STEP_TABS.LOGS); expect(tree.state('selectedNodeDetails')).toHaveProperty('id', 'node1'); expect(tree.state('sidepanelSelectedTab')).toEqual(STEP_TABS.LOGS); getPodLogsSpy.mockImplementationOnce(() => 'new test logs'); await (tree.instance() as RunDetails).refresh(); expect(tree).toMatchSnapshot(); }); it('dismisses log failure warning banner when logs can be fetched after refresh', async () => { testRun.pipeline_runtime!.workflow_manifest = JSON.stringify({ status: { nodes: { node1: { id: 'node1' } } }, }); TestUtils.makeErrorResponseOnce(getPodLogsSpy, 'getting logs failed'); tree = shallow(<RunDetails {...generateProps()} />); await getRunSpy; await TestUtils.flushPromises(); clickGraphNode(tree, 'node1'); tree .find('MD2Tabs') .at(1) .simulate('switch', STEP_TABS.LOGS); await getPodLogsSpy; await TestUtils.flushPromises(); expect(tree.state()).toMatchObject({ logsBannerAdditionalInfo: 'getting logs failed', logsBannerMessage: 'Warning: failed to retrieve pod logs. Possible reasons include cluster autoscaling or pod preemption', logsBannerMode: 'warning', }); testRun.run!.status = 'Failed'; await (tree.instance() as RunDetails).refresh(); expect(tree.state()).toMatchObject({ logsBannerAdditionalInfo: '', logsBannerMessage: '', }); }); }); describe('auto refresh', () => { beforeEach(() => { testRun.run!.status = NodePhase.PENDING; }); it('starts an interval of 5 seconds to auto refresh the page', async () => { tree = shallow(<RunDetails {...generateProps()} />); await TestUtils.flushPromises(); expect(setInterval).toHaveBeenCalledTimes(1); expect(setInterval).toHaveBeenCalledWith(expect.any(Function), 5000); }); it('refreshes after each interval', async () => { tree = shallow(<RunDetails {...generateProps()} />); await TestUtils.flushPromises(); const refreshSpy = jest.spyOn(tree.instance() as RunDetails, 'refresh'); expect(refreshSpy).toHaveBeenCalledTimes(0); jest.runOnlyPendingTimers(); expect(refreshSpy).toHaveBeenCalledTimes(1); await TestUtils.flushPromises(); }, 10000); [NodePhase.ERROR, NodePhase.FAILED, NodePhase.SUCCEEDED, NodePhase.SKIPPED].forEach(status => { it(`sets 'runFinished' to true if run has status: ${status}`, async () => { testRun.run!.status = status; tree = shallow(<RunDetails {...generateProps()} />); await TestUtils.flushPromises(); expect(tree.state('runFinished')).toBe(true); }); }); [NodePhase.PENDING, NodePhase.RUNNING, NodePhase.UNKNOWN].forEach(status => { it(`leaves 'runFinished' false if run has status: ${status}`, async () => { testRun.run!.status = status; tree = shallow(<RunDetails {...generateProps()} />); await TestUtils.flushPromises(); expect(tree.state('runFinished')).toBe(false); }); }); it('pauses auto refreshing if window loses focus', async () => { tree = shallow(<RunDetails {...generateProps()} />); await TestUtils.flushPromises(); expect(setInterval).toHaveBeenCalledTimes(1); expect(clearInterval).toHaveBeenCalledTimes(0); window.dispatchEvent(new Event('blur')); await TestUtils.flushPromises(); expect(clearInterval).toHaveBeenCalledTimes(1); }); it('resumes auto refreshing if window loses focus and then regains it', async () => { // Declare that the run has not finished testRun.run!.status = NodePhase.PENDING; tree = shallow(<RunDetails {...generateProps()} />); await TestUtils.flushPromises(); expect(tree.state('runFinished')).toBe(false); expect(setInterval).toHaveBeenCalledTimes(1); expect(clearInterval).toHaveBeenCalledTimes(0); window.dispatchEvent(new Event('blur')); await TestUtils.flushPromises(); expect(clearInterval).toHaveBeenCalledTimes(1); window.dispatchEvent(new Event('focus')); await TestUtils.flushPromises(); expect(setInterval).toHaveBeenCalledTimes(2); }); it('does not resume auto refreshing if window loses focus and then regains it but run is finished', async () => { // Declare that the run has finished testRun.run!.status = NodePhase.SUCCEEDED; tree = shallow(<RunDetails {...generateProps()} />); await TestUtils.flushPromises(); expect(tree.state('runFinished')).toBe(true); expect(setInterval).toHaveBeenCalledTimes(0); expect(clearInterval).toHaveBeenCalledTimes(0); window.dispatchEvent(new Event('blur')); await TestUtils.flushPromises(); // We expect 0 calls because the interval was never set, so it doesn't need to be cleared expect(clearInterval).toHaveBeenCalledTimes(0); window.dispatchEvent(new Event('focus')); await TestUtils.flushPromises(); expect(setInterval).toHaveBeenCalledTimes(0); }); }); describe('EnhancedRunDetails', () => { it('redirects to experiments page when namespace changes', () => { const history = createMemoryHistory({ initialEntries: ['/does-not-matter'], }); const { rerender } = render( <Router history={history}> <NamespaceContext.Provider value='ns1'> <EnhancedRunDetails {...generateProps()} /> </NamespaceContext.Provider> </Router>, ); expect(history.location.pathname).not.toEqual('/experiments'); rerender( <Router history={history}> <NamespaceContext.Provider value='ns2'> <EnhancedRunDetails {...generateProps()} /> </NamespaceContext.Provider> </Router>, ); expect(history.location.pathname).toEqual('/experiments'); }); it('does not redirect when namespace stays the same', () => { const history = createMemoryHistory({ initialEntries: ['/initial-path'], }); const { rerender } = render( <Router history={history}> <NamespaceContext.Provider value='ns1'> <EnhancedRunDetails {...generateProps()} /> </NamespaceContext.Provider> </Router>, ); expect(history.location.pathname).toEqual('/initial-path'); rerender( <Router history={history}> <NamespaceContext.Provider value='ns1'> <EnhancedRunDetails {...generateProps()} /> </NamespaceContext.Provider> </Router>, ); expect(history.location.pathname).toEqual('/initial-path'); }); it('does not redirect when namespace initializes', () => { const history = createMemoryHistory({ initialEntries: ['/initial-path'], }); const { rerender } = render( <Router history={history}> <NamespaceContext.Provider value={undefined}> <EnhancedRunDetails {...generateProps()} /> </NamespaceContext.Provider> </Router>, ); expect(history.location.pathname).toEqual('/initial-path'); rerender( <Router history={history}> <NamespaceContext.Provider value='ns1'> <EnhancedRunDetails {...generateProps()} /> </NamespaceContext.Provider> </Router>, ); expect(history.location.pathname).toEqual('/initial-path'); }); }); }); function clickGraphNode(wrapper: ShallowWrapper, nodeId: string) { // TODO: use dom events instead wrapper .find('EnhancedGraph') .dive() .dive() .simulate('click', nodeId); }
7,800
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/ArchivedExperiments.tsx
/* * Copyright 2020 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import Buttons from '../lib/Buttons'; import ExperimentList from '../components/ExperimentList'; import { Page, PageProps } from './Page'; import { ExperimentStorageState } from '../apis/experiment'; import { ToolbarProps } from '../components/Toolbar'; import { classes } from 'typestyle'; import { commonCss, padding } from '../Css'; import { NamespaceContext } from 'src/lib/KubeflowClient'; interface ArchivedExperimentsProp { namespace?: string; } interface ArchivedExperimentsState {} export class ArchivedExperiments extends Page<ArchivedExperimentsProp, ArchivedExperimentsState> { private _experimentlistRef = React.createRef<ExperimentList>(); public getInitialToolbarState(): ToolbarProps { const buttons = new Buttons(this.props, this.refresh.bind(this)); return { actions: buttons.refresh(this.refresh.bind(this)).getToolbarActionMap(), breadcrumbs: [], pageTitle: 'Archive', }; } public render(): JSX.Element { return ( <div className={classes(commonCss.page, padding(20, 'lr'))}> <ExperimentList onError={this.showPageError.bind(this)} ref={this._experimentlistRef} storageState={ExperimentStorageState.ARCHIVED} {...this.props} /> </div> ); } public async refresh(): Promise<void> { // Tell run list to refresh if (this._experimentlistRef.current) { this.clearBanner(); await this._experimentlistRef.current.refresh(); } } } const EnhancedArchivedExperiments = (props: PageProps) => { const namespace = React.useContext(NamespaceContext); return <ArchivedExperiments key={namespace} {...props} namespace={namespace} />; }; export default EnhancedArchivedExperiments;
7,801
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/RecurringRunDetails.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import Buttons, { ButtonKeys } from '../lib/Buttons'; import DetailsTable from '../components/DetailsTable'; import RunUtils from '../lib/RunUtils'; import { ApiExperiment } from '../apis/experiment'; import { ApiJob } from '../apis/job'; import { Apis } from '../lib/Apis'; import { Page } from './Page'; import { RoutePage, RouteParams } from '../components/Router'; import { Breadcrumb, ToolbarProps } from '../components/Toolbar'; import { classes } from 'typestyle'; import { commonCss, padding } from '../Css'; import { KeyValue } from '../lib/StaticGraphParser'; import { formatDateString, enabledDisplayString, errorToMessage } from '../lib/Utils'; import { triggerDisplayString } from '../lib/TriggerUtils'; interface RecurringRunConfigState { run: ApiJob | null; } class RecurringRunDetails extends Page<{}, RecurringRunConfigState> { constructor(props: any) { super(props); this.state = { run: null, }; } public getInitialToolbarState(): ToolbarProps { const buttons = new Buttons(this.props, this.refresh.bind(this)); return { actions: buttons .cloneRecurringRun(() => (this.state.run ? [this.state.run.id!] : []), true) .refresh(this.refresh.bind(this)) .enableRecurringRun(() => (this.state.run ? this.state.run.id! : '')) .disableRecurringRun(() => (this.state.run ? this.state.run.id! : '')) .delete( () => (this.state.run ? [this.state.run!.id!] : []), 'recurring run config', this._deleteCallback.bind(this), true /* useCurrentResource */, ) .getToolbarActionMap(), breadcrumbs: [], pageTitle: '', }; } public render(): JSX.Element { const { run } = this.state; let runDetails: Array<KeyValue<string>> = []; let inputParameters: Array<KeyValue<string>> = []; let triggerDetails: Array<KeyValue<string>> = []; if (run && run.pipeline_spec) { runDetails = [ ['Description', run.description!], ['Created at', formatDateString(run.created_at)], ]; inputParameters = (run.pipeline_spec.parameters || []).map(p => [ p.name || '', p.value || '', ]); if (run.trigger) { triggerDetails = [ ['Enabled', enabledDisplayString(run.trigger, run.enabled!)], ['Trigger', triggerDisplayString(run.trigger)], ]; if (run.max_concurrency) { triggerDetails.push(['Max. concurrent runs', run.max_concurrency]); } triggerDetails.push(['Catchup', `${!run.no_catchup}`]); if (run.trigger.cron_schedule && run.trigger.cron_schedule.start_time) { triggerDetails.push([ 'Start time', formatDateString(run.trigger.cron_schedule.start_time), ]); } else if (run.trigger.periodic_schedule && run.trigger.periodic_schedule.start_time) { triggerDetails.push([ 'Start time', formatDateString(run.trigger.periodic_schedule.start_time), ]); } if (run.trigger.cron_schedule && run.trigger.cron_schedule.end_time) { triggerDetails.push(['End time', formatDateString(run.trigger.cron_schedule.end_time)]); } else if (run.trigger.periodic_schedule && run.trigger.periodic_schedule.end_time) { triggerDetails.push([ 'End time', formatDateString(run.trigger.periodic_schedule.end_time), ]); } } } return ( <div className={classes(commonCss.page, padding(20, 'lr'))}> {run && ( <div className={commonCss.page}> <DetailsTable title='Recurring run details' fields={runDetails} /> {!!triggerDetails.length && ( <DetailsTable title='Run trigger' fields={triggerDetails} /> )} {!!inputParameters.length && ( <DetailsTable title='Run parameters' fields={inputParameters} /> )} </div> )} </div> ); } public componentDidMount(): Promise<void> { return this.load(); } public async refresh(): Promise<void> { await this.load(); } public async load(): Promise<void> { this.clearBanner(); const runId = this.props.match.params[RouteParams.runId]; let run: ApiJob; try { run = await Apis.jobServiceApi.getJob(runId); } catch (err) { const errorMessage = await errorToMessage(err); await this.showPageError( `Error: failed to retrieve recurring run: ${runId}.`, new Error(errorMessage), ); return; } const relatedExperimentId = RunUtils.getFirstExperimentReferenceId(run); let experiment: ApiExperiment | undefined; if (relatedExperimentId) { try { experiment = await Apis.experimentServiceApi.getExperiment(relatedExperimentId); } catch (err) { const errorMessage = await errorToMessage(err); await this.showPageError( `Error: failed to retrieve this recurring run's experiment.`, new Error(errorMessage), 'warning', ); } } const breadcrumbs: Breadcrumb[] = []; if (experiment) { breadcrumbs.push( { displayName: 'Experiments', href: RoutePage.EXPERIMENTS }, { displayName: experiment.name!, href: RoutePage.EXPERIMENT_DETAILS.replace( ':' + RouteParams.experimentId, experiment.id!, ), }, ); } else { breadcrumbs.push({ displayName: 'All runs', href: RoutePage.RUNS }); } const pageTitle = run ? run.name! : runId; const toolbarActions = this.props.toolbarProps.actions; toolbarActions[ButtonKeys.ENABLE_RECURRING_RUN].disabled = !!run.enabled; toolbarActions[ButtonKeys.DISABLE_RECURRING_RUN].disabled = !run.enabled; this.props.updateToolbar({ actions: toolbarActions, breadcrumbs, pageTitle }); this.setState({ run }); } private _deleteCallback(_: string[], success: boolean): void { if (success) { const breadcrumbs = this.props.toolbarProps.breadcrumbs; const previousPage = breadcrumbs.length ? breadcrumbs[breadcrumbs.length - 1].href : RoutePage.EXPERIMENTS; this.props.history.push(previousPage); } } } export default RecurringRunDetails;
7,802
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/ArtifactDetails.tsx
/* * Copyright 2019 Google LLC * * Licensed under the Apache License, Version 2.0 (the 'License'); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an 'AS IS' BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import { Api, Artifact, ArtifactCustomProperties, ArtifactProperties, GetArtifactsByIDRequest, getResourceProperty, LineageResource, LineageView, titleCase, ArtifactType, } from '@kubeflow/frontend'; import { CircularProgress } from '@material-ui/core'; import * as React from 'react'; import { Route, Switch } from 'react-router-dom'; import { classes } from 'typestyle'; import MD2Tabs from '../atoms/MD2Tabs'; import { ResourceInfo, ResourceType } from '../components/ResourceInfo'; import { RoutePage, RoutePageFactory, RouteParams } from '../components/Router'; import { ToolbarProps } from '../components/Toolbar'; import { commonCss, padding } from '../Css'; import { logger, serviceErrorToString } from '../lib/Utils'; import { Page, PageProps } from './Page'; import { GetArtifactTypesByIDRequest } from '@kubeflow/frontend/src/mlmd/generated/ml_metadata/proto/metadata_store_service_pb'; export enum ArtifactDetailsTab { OVERVIEW = 0, LINEAGE_EXPLORER = 1, } const LINEAGE_PATH = 'lineage'; const TABS = { [ArtifactDetailsTab.OVERVIEW]: { name: 'Overview' }, [ArtifactDetailsTab.LINEAGE_EXPLORER]: { name: 'Lineage Explorer' }, }; const TAB_NAMES = [ArtifactDetailsTab.OVERVIEW, ArtifactDetailsTab.LINEAGE_EXPLORER].map( tabConfig => TABS[tabConfig].name, ); interface ArtifactDetailsState { artifact?: Artifact; artifactType?: ArtifactType; } class ArtifactDetails extends Page<{}, ArtifactDetailsState> { private get fullTypeName(): string { return this.state.artifactType?.getName() || ''; } private get properTypeName(): string { const parts = this.fullTypeName.split('/'); if (!parts.length) { return ''; } return titleCase(parts[parts.length - 1]); } private get id(): number { return Number(this.props.match.params[RouteParams.ID]); } private static buildResourceDetailsPageRoute( resource: LineageResource, _: string, // typename is no longer used ): string { // HACK: this distinguishes artifact from execution, only artifacts have // the getUri() method. // TODO: switch to use typedResource if (typeof resource['getUri'] === 'function') { return RoutePageFactory.artifactDetails(resource.getId()); } else { return RoutePageFactory.executionDetails(resource.getId()); } } public state: ArtifactDetailsState = {}; private api = Api.getInstance(); public async componentDidMount(): Promise<void> { return this.load(); } public render(): JSX.Element { if (!this.state.artifact) { return ( <div className={commonCss.page}> <CircularProgress className={commonCss.absoluteCenter} /> </div> ); } return ( <div className={classes(commonCss.page)}> <Switch> {/* ** This is react-router's nested route feature. ** reference: https://reacttraining.com/react-router/web/example/nesting */} <Route path={this.props.match.path} exact={true}> <> <div className={classes(padding(20, 't'))}> <MD2Tabs tabs={TAB_NAMES} selectedTab={ArtifactDetailsTab.OVERVIEW} onSwitch={this.switchTab} /> </div> <div className={classes(padding(20, 'lr'))}> <ResourceInfo resourceType={ResourceType.ARTIFACT} typeName={this.properTypeName} resource={this.state.artifact} /> </div> </> </Route> <Route path={`${this.props.match.path}/${LINEAGE_PATH}`} exact={true}> <> <div className={classes(padding(20, 't'))}> <MD2Tabs tabs={TAB_NAMES} selectedTab={ArtifactDetailsTab.LINEAGE_EXPLORER} onSwitch={this.switchTab} /> </div> <LineageView target={this.state.artifact} buildResourceDetailsPageRoute={ArtifactDetails.buildResourceDetailsPageRoute} /> </> </Route> </Switch> </div> ); } public getInitialToolbarState(): ToolbarProps { return { actions: {}, breadcrumbs: [{ displayName: 'Artifacts', href: RoutePage.ARTIFACTS }], pageTitle: `Artifact #${this.id} details`, }; } public async refresh(): Promise<void> { return this.load(); } private load = async (): Promise<void> => { const request = new GetArtifactsByIDRequest(); request.setArtifactIdsList([Number(this.id)]); try { const response = await this.api.metadataStoreService.getArtifactsByID(request); if (response.getArtifactsList().length === 0) { this.showPageError(`No artifact identified by id: ${this.id}`); return; } if (response.getArtifactsList().length > 1) { this.showPageError(`Found multiple artifacts with ID: ${this.id}`); return; } const artifact = response.getArtifactsList()[0]; const typeRequest = new GetArtifactTypesByIDRequest(); typeRequest.setTypeIdsList([artifact.getTypeId()]); const typeResponse = await this.api.metadataStoreService.getArtifactTypesByID(typeRequest); const artifactType = typeResponse.getArtifactTypesList()[0] || undefined; const artifactName = getResourceProperty(artifact, ArtifactProperties.NAME) || getResourceProperty(artifact, ArtifactCustomProperties.NAME, true); let title = artifactName ? artifactName.toString() : ''; const version = getResourceProperty(artifact, ArtifactProperties.VERSION); if (version) { title += ` (version: ${version})`; } this.props.updateToolbar({ pageTitle: title, }); this.setState({ artifact, artifactType }); } catch (err) { this.showPageError(serviceErrorToString(err)); } }; private switchTab = (selectedTab: number) => { switch (selectedTab) { case ArtifactDetailsTab.LINEAGE_EXPLORER: return this.props.history.push(`${this.props.match.url}/${LINEAGE_PATH}`); case ArtifactDetailsTab.OVERVIEW: return this.props.history.push(this.props.match.url); default: logger.error(`Unknown selected tab ${selectedTab}.`); } }; } // This guarantees that each artifact renders a different <ArtifactDetails /> instance. const EnhancedArtifactDetails = (props: PageProps) => { return <ArtifactDetails {...props} key={props.match.params[RouteParams.ID]} />; }; export default EnhancedArtifactDetails;
7,803
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/Page.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the 'License'); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an 'AS IS' BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import { RouteComponentProps } from 'react-router'; import { ToolbarProps } from '../components/Toolbar'; import { BannerProps } from '../components/Banner'; import { SnackbarProps } from '@material-ui/core/Snackbar'; import { DialogProps } from '../components/Router'; import { errorToMessage } from '../lib/Utils'; export interface PageProps extends RouteComponentProps { toolbarProps: ToolbarProps; updateBanner: (bannerProps: BannerProps) => void; updateDialog: (dialogProps: DialogProps) => void; updateSnackbar: (snackbarProps: SnackbarProps) => void; updateToolbar: (toolbarProps: Partial<ToolbarProps>) => void; } export type PageErrorHandler = ( message: string, error?: Error, mode?: 'error' | 'warning', refresh?: () => Promise<void>, ) => Promise<void>; export abstract class Page<P, S> extends React.Component<P & PageProps, S> { protected _isMounted = true; constructor(props: any) { super(props); this.props.updateToolbar(this.getInitialToolbarState()); } public abstract render(): JSX.Element; public abstract getInitialToolbarState(): ToolbarProps; public abstract refresh(): Promise<void>; public componentWillUnmount(): void { this.clearBanner(); this._isMounted = false; } public componentDidMount(): void { this.clearBanner(); } public clearBanner(): void { if (!this._isMounted) { return; } this.props.updateBanner({}); } public showPageError: PageErrorHandler = async (message, error, mode, refresh): Promise<void> => { const errorMessage = await errorToMessage(error); if (!this._isMounted) { return; } this.props.updateBanner({ additionalInfo: errorMessage ? errorMessage : undefined, message: message + (errorMessage ? ' Click Details for more information.' : ''), mode: mode || 'error', refresh: refresh || this.refresh.bind(this), }); }; public showErrorDialog(title: string, content: string): void { if (!this._isMounted) { return; } this.props.updateDialog({ buttons: [{ text: 'Dismiss' }], content, title, }); } protected setStateSafe(newState: Partial<S>, cb?: () => void): void { if (this._isMounted) { this.setState(newState as any, cb); } } }
7,804
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/404.test.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import Page404 from './404'; import { PageProps } from './Page'; import { shallow } from 'enzyme'; describe('404', () => { function generateProps(): PageProps { return { history: {} as any, location: { pathname: 'some bad page' } as any, match: {} as any, toolbarProps: {} as any, updateBanner: jest.fn(), updateDialog: jest.fn(), updateSnackbar: jest.fn(), updateToolbar: jest.fn(), }; } it('renders a 404 page', () => { expect(shallow(<Page404 {...generateProps()} />)).toMatchSnapshot(); }); });
7,805
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/404.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import { Page } from './Page'; import { ToolbarProps } from '../components/Toolbar'; export default class Page404 extends Page<{}, {}> { public getInitialToolbarState(): ToolbarProps { return { actions: {}, breadcrumbs: [], pageTitle: '' }; } public async refresh(): Promise<void> { return; } public render(): JSX.Element { return ( <div style={{ margin: '100px auto', textAlign: 'center' }}> <div style={{ color: '#aaa', fontSize: 50, fontWeight: 'bold' }}>404</div> <div style={{ fontSize: 16 }}>Page Not Found: {this.props.location.pathname}</div> </div> ); } }
7,806
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/Status.test.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as Utils from '../lib/Utils'; import { statusToIcon } from './Status'; import { NodePhase } from '../lib/StatusUtils'; import { shallow } from 'enzyme'; describe('Status', () => { // We mock this because it uses toLocaleDateString, which causes mismatches between local and CI // test enviroments const formatDateStringSpy = jest.spyOn(Utils, 'formatDateString'); const startDate = new Date('Wed Jan 2 2019 9:10:11 GMT-0800'); const endDate = new Date('Thu Jan 3 2019 10:11:12 GMT-0800'); beforeEach(() => { formatDateStringSpy.mockImplementation((date: Date) => { return date === startDate ? '1/2/2019, 9:10:11 AM' : '1/3/2019, 10:11:12 AM'; }); }); describe('statusToIcon', () => { it('handles an unknown phase', () => { const consoleSpy = jest.spyOn(console, 'log').mockImplementationOnce(() => null); const tree = shallow(statusToIcon('bad phase' as any)); expect(tree).toMatchSnapshot(); expect(consoleSpy).toHaveBeenLastCalledWith('Unknown node phase:', 'bad phase'); }); it('handles an undefined phase', () => { const consoleSpy = jest.spyOn(console, 'log').mockImplementationOnce(() => null); const tree = shallow(statusToIcon(/* no phase */)); expect(tree).toMatchSnapshot(); expect(consoleSpy).toHaveBeenLastCalledWith('Unknown node phase:', undefined); }); it('displays start and end dates if both are provided', () => { const tree = shallow(statusToIcon(NodePhase.SUCCEEDED, startDate, endDate)); expect(tree).toMatchSnapshot(); }); it('does not display a end date if none was provided', () => { const tree = shallow(statusToIcon(NodePhase.SUCCEEDED, startDate)); expect(tree).toMatchSnapshot(); }); it('does not display a start date if none was provided', () => { const tree = shallow(statusToIcon(NodePhase.SUCCEEDED, undefined, endDate)); expect(tree).toMatchSnapshot(); }); it('does not display any dates if neither was provided', () => { const tree = shallow(statusToIcon(NodePhase.SUCCEEDED /* No dates */)); expect(tree).toMatchSnapshot(); }); Object.keys(NodePhase).map(status => it('renders an icon with tooltip for phase: ' + status, () => { const tree = shallow(statusToIcon(NodePhase[status])); expect(tree).toMatchSnapshot(); }), ); }); });
7,807
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/ExperimentList.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import Buttons, { ButtonKeys } from '../lib/Buttons'; import CustomTable, { Column, Row, ExpandState, CustomRendererProps, } from '../components/CustomTable'; import RunList from './RunList'; import produce from 'immer'; import { ApiFilter, PredicateOp } from '../apis/filter'; import { ApiListExperimentsResponse, ApiExperiment, ExperimentStorageState, } from '../apis/experiment'; import { ApiRun, RunStorageState } from '../apis/run'; import { Apis, ExperimentSortKeys, ListRequest, RunSortKeys } from '../lib/Apis'; import { Link } from 'react-router-dom'; import { NodePhase } from '../lib/StatusUtils'; import { Page, PageProps } from './Page'; import { RoutePage, RouteParams } from '../components/Router'; import { ToolbarProps } from '../components/Toolbar'; import { classes } from 'typestyle'; import { commonCss, padding } from '../Css'; import { logger } from '../lib/Utils'; import { statusToIcon } from './Status'; import Tooltip from '@material-ui/core/Tooltip'; import { NamespaceContext } from 'src/lib/KubeflowClient'; interface DisplayExperiment extends ApiExperiment { last5Runs?: ApiRun[]; error?: string; expandState?: ExpandState; } interface ExperimentListState { displayExperiments: DisplayExperiment[]; selectedIds: string[]; selectedTab: number; } export class ExperimentList extends Page<{ namespace?: string }, ExperimentListState> { private _tableRef = React.createRef<CustomTable>(); constructor(props: any) { super(props); this.state = { displayExperiments: [], selectedIds: [], selectedTab: 0, }; } public getInitialToolbarState(): ToolbarProps { const buttons = new Buttons(this.props, this.refresh.bind(this)); return { actions: buttons .newRun() .newExperiment() .compareRuns(() => this.state.selectedIds) .cloneRun(() => this.state.selectedIds, false) .archive( 'run', () => this.state.selectedIds, false, ids => this._selectionChanged(ids), ) .refresh(this.refresh.bind(this)) .getToolbarActionMap(), breadcrumbs: [], pageTitle: 'Experiments', }; } public render(): JSX.Element { const columns: Column[] = [ { customRenderer: this._nameCustomRenderer, flex: 1, label: 'Experiment name', sortKey: ExperimentSortKeys.NAME, }, { flex: 2, label: 'Description', }, { customRenderer: this._last5RunsCustomRenderer, flex: 1, label: 'Last 5 runs', }, ]; const rows: Row[] = this.state.displayExperiments.map(exp => { return { error: exp.error, expandState: exp.expandState, id: exp.id!, otherFields: [ exp.name!, exp.description!, exp.expandState === ExpandState.EXPANDED ? [] : exp.last5Runs, ], }; }); return ( <div className={classes(commonCss.page, padding(20, 'lr'))}> <CustomTable columns={columns} rows={rows} ref={this._tableRef} disableSelection={true} initialSortColumn={ExperimentSortKeys.CREATED_AT} reload={this._reload.bind(this)} toggleExpansion={this._toggleRowExpand.bind(this)} getExpandComponent={this._getExpandedExperimentComponent.bind(this)} filterLabel='Filter experiments' emptyMessage='No experiments found. Click "Create experiment" to start.' /> </div> ); } public async refresh(): Promise<void> { if (this._tableRef.current) { this.clearBanner(); await this._tableRef.current.reload(); } } public _nameCustomRenderer: React.FC<CustomRendererProps<string>> = ( props: CustomRendererProps<string>, ) => { return ( <Tooltip title={props.value} enterDelay={300} placement='top-start'> <Link className={commonCss.link} onClick={e => e.stopPropagation()} to={RoutePage.EXPERIMENT_DETAILS.replace(':' + RouteParams.experimentId, props.id)} > {props.value} </Link> </Tooltip> ); }; public _last5RunsCustomRenderer: React.FC<CustomRendererProps<ApiRun[]>> = ( props: CustomRendererProps<ApiRun[]>, ) => { return ( <div className={commonCss.flex}> {(props.value || []).map((run, i) => ( <span key={i} style={{ margin: '0 1px' }}> {statusToIcon((run.status as NodePhase) || NodePhase.UNKNOWN, run.created_at)} </span> ))} </div> ); }; private async _reload(request: ListRequest): Promise<string> { // Fetch the list of experiments let response: ApiListExperimentsResponse; let displayExperiments: DisplayExperiment[]; try { // This ExperimentList page is used as the "All experiments" tab // inside ExperimentAndRuns. Here we only list unarchived experiments. // Archived experiments are listed in "Archive" page. const filter = JSON.parse( decodeURIComponent(request.filter || '{"predicates": []}'), ) as ApiFilter; filter.predicates = (filter.predicates || []).concat([ { key: 'storage_state', op: PredicateOp.NOTEQUALS, string_value: ExperimentStorageState.ARCHIVED.toString(), }, ]); request.filter = encodeURIComponent(JSON.stringify(filter)); response = await Apis.experimentServiceApi.listExperiment( request.pageToken, request.pageSize, request.sortBy, request.filter, this.props.namespace ? 'NAMESPACE' : undefined, this.props.namespace || undefined, ); displayExperiments = response.experiments || []; displayExperiments.forEach(exp => (exp.expandState = ExpandState.COLLAPSED)); } catch (err) { await this.showPageError('Error: failed to retrieve list of experiments.', err); // No point in continuing if we couldn't retrieve any experiments. return ''; } // Fetch and set last 5 runs' statuses for each experiment await Promise.all( displayExperiments.map(async experiment => { // TODO: should we aggregate errors here? What if they fail for different reasons? try { const listRunsResponse = await Apis.runServiceApi.listRuns( undefined /* pageToken */, 5 /* pageSize */, RunSortKeys.CREATED_AT + ' desc', 'EXPERIMENT', experiment.id, encodeURIComponent( JSON.stringify({ predicates: [ { key: 'storage_state', op: PredicateOp.NOTEQUALS, string_value: RunStorageState.ARCHIVED.toString(), }, ], } as ApiFilter), ), ); experiment.last5Runs = listRunsResponse.runs || []; } catch (err) { experiment.error = 'Failed to load the last 5 runs of this experiment'; logger.error( `Error: failed to retrieve run statuses for experiment: ${experiment.name}.`, err, ); } }), ); this.setStateSafe({ displayExperiments }); return response.next_page_token || ''; } private _selectionChanged(selectedIds: string[]): void { const actions = this.props.toolbarProps.actions; actions[ButtonKeys.COMPARE].disabled = selectedIds.length <= 1 || selectedIds.length > 10; actions[ButtonKeys.CLONE_RUN].disabled = selectedIds.length !== 1; actions[ButtonKeys.ARCHIVE].disabled = !selectedIds.length; this.props.updateToolbar({ actions }); this.setState({ selectedIds }); } private _toggleRowExpand(rowIndex: number): void { const displayExperiments = produce(this.state.displayExperiments, draft => { draft[rowIndex].expandState = draft[rowIndex].expandState === ExpandState.COLLAPSED ? ExpandState.EXPANDED : ExpandState.COLLAPSED; }); this.setState({ displayExperiments }); } private _getExpandedExperimentComponent(experimentIndex: number): JSX.Element { const experiment = this.state.displayExperiments[experimentIndex]; return ( <RunList hideExperimentColumn={true} experimentIdMask={experiment.id} onError={() => null} {...this.props} disablePaging={true} selectedIds={this.state.selectedIds} noFilterBox={true} storageState={RunStorageState.AVAILABLE} onSelectionChange={this._selectionChanged.bind(this)} disableSorting={true} /> ); } } const EnhancedExperimentList: React.FC<PageProps> = props => { const namespace = React.useContext(NamespaceContext); return <ExperimentList key={namespace} {...props} namespace={namespace} />; }; export default EnhancedExperimentList;
7,808
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/ExperimentList.test.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import * as Utils from '../lib/Utils'; import EnhancedExperimentList, { ExperimentList } from './ExperimentList'; import TestUtils from '../TestUtils'; import { ApiFilter, PredicateOp } from '../apis/filter'; import { RunStorageState } from '../apis/run'; import { Apis } from '../lib/Apis'; import { ExpandState } from '../components/CustomTable'; import { NodePhase } from '../lib/StatusUtils'; import { PageProps } from './Page'; import { ReactWrapper, ShallowWrapper, shallow } from 'enzyme'; import { RoutePage, QUERY_PARAMS } from '../components/Router'; import { range } from 'lodash'; import { ButtonKeys } from '../lib/Buttons'; import { NamespaceContext } from 'src/lib/KubeflowClient'; import { render, act } from '@testing-library/react'; import { MemoryRouter } from 'react-router-dom'; import { ExperimentStorageState } from '../apis/experiment'; // Default arguments for Apis.experimentServiceApi.listExperiment. const LIST_EXPERIMENT_DEFAULTS = [ '', // page token 10, // page size 'created_at desc', // sort by encodeURIComponent( JSON.stringify({ predicates: [ { key: 'storage_state', op: PredicateOp.NOTEQUALS, string_value: ExperimentStorageState.ARCHIVED.toString(), }, ], } as ApiFilter), ), // filter undefined, // resource_reference_key_type undefined, // resource_reference_key_id ]; const LIST_EXPERIMENT_DEFAULTS_WITHOUT_RESOURCE_REFERENCE = LIST_EXPERIMENT_DEFAULTS.slice(0, 4); describe('ExperimentList', () => { let tree: ShallowWrapper | ReactWrapper; jest.spyOn(console, 'log').mockImplementation(() => null); const updateBannerSpy = jest.fn(); const updateDialogSpy = jest.fn(); const updateSnackbarSpy = jest.fn(); const updateToolbarSpy = jest.fn(); const historyPushSpy = jest.fn(); const listExperimentsSpy = jest.spyOn(Apis.experimentServiceApi, 'listExperiment'); const listRunsSpy = jest.spyOn(Apis.runServiceApi, 'listRuns'); // We mock this because it uses toLocaleDateString, which causes mismatches between local and CI // test enviroments jest.spyOn(Utils, 'formatDateString').mockImplementation(() => '1/2/2019, 12:34:56 PM'); function generateProps(): PageProps { return TestUtils.generatePageProps( ExperimentList, { pathname: RoutePage.EXPERIMENTS } as any, '' as any, historyPushSpy, updateBannerSpy, updateDialogSpy, updateToolbarSpy, updateSnackbarSpy, ); } function mockListNExpperiments(n: number = 1) { return () => Promise.resolve({ experiments: range(n).map(i => ({ id: 'test-experiment-id' + i, name: 'test experiment name' + i, })), }); } async function mountWithNExperiments( n: number, nRuns: number, { namespace }: { namespace?: string } = {}, ): Promise<void> { listExperimentsSpy.mockImplementation(mockListNExpperiments(n)); listRunsSpy.mockImplementation(() => ({ runs: range(nRuns).map(i => ({ id: 'test-run-id' + i, name: 'test run name' + i })), })); tree = TestUtils.mountWithRouter(<ExperimentList {...generateProps()} namespace={namespace} />); await listExperimentsSpy; await listRunsSpy; await TestUtils.flushPromises(); tree.update(); // Make sure the tree is updated before returning it } afterEach(() => { jest.resetAllMocks(); jest.clearAllMocks(); if (tree.exists()) { tree.unmount(); } }); it('renders an empty list with empty state message', () => { tree = shallow(<ExperimentList {...generateProps()} />); expect(tree).toMatchSnapshot(); }); it('renders a list of one experiment', async () => { tree = shallow(<ExperimentList {...generateProps()} />); tree.setState({ displayExperiments: [ { description: 'test experiment description', expandState: ExpandState.COLLAPSED, name: 'test experiment name', }, ], }); await listExperimentsSpy; await listRunsSpy; expect(tree).toMatchSnapshot(); }); it('renders a list of one experiment with no description', async () => { tree = shallow(<ExperimentList {...generateProps()} />); tree.setState({ experiments: [ { expandState: ExpandState.COLLAPSED, name: 'test experiment name', }, ], }); await listExperimentsSpy; await listRunsSpy; expect(tree).toMatchSnapshot(); }); it('renders a list of one experiment with error', async () => { tree = shallow(<ExperimentList {...generateProps()} />); tree.setState({ experiments: [ { description: 'test experiment description', error: 'oops! could not load experiment', expandState: ExpandState.COLLAPSED, name: 'test experiment name', }, ], }); await listExperimentsSpy; await listRunsSpy; expect(tree).toMatchSnapshot(); }); it('calls Apis to list experiments, sorted by creation time in descending order', async () => { await mountWithNExperiments(1, 1); expect(listExperimentsSpy).toHaveBeenLastCalledWith(...LIST_EXPERIMENT_DEFAULTS); expect(listRunsSpy).toHaveBeenLastCalledWith( undefined, 5, 'created_at desc', 'EXPERIMENT', 'test-experiment-id0', encodeURIComponent( JSON.stringify({ predicates: [ { key: 'storage_state', op: PredicateOp.NOTEQUALS, string_value: RunStorageState.ARCHIVED.toString(), }, ], } as ApiFilter), ), ); expect(tree.state()).toHaveProperty('displayExperiments', [ { expandState: ExpandState.COLLAPSED, id: 'test-experiment-id0', last5Runs: [{ id: 'test-run-id0', name: 'test run name0' }], name: 'test experiment name0', }, ]); }); it('calls Apis to list experiments with namespace when available', async () => { await mountWithNExperiments(1, 1, { namespace: 'test-ns' }); expect(listExperimentsSpy).toHaveBeenLastCalledWith( ...LIST_EXPERIMENT_DEFAULTS_WITHOUT_RESOURCE_REFERENCE, 'NAMESPACE', 'test-ns', ); }); it('has a Refresh button, clicking it refreshes the experiment list', async () => { await mountWithNExperiments(1, 1); const instance = tree.instance() as ExperimentList; expect(listExperimentsSpy.mock.calls.length).toBe(1); const refreshBtn = instance.getInitialToolbarState().actions[ButtonKeys.REFRESH]; expect(refreshBtn).toBeDefined(); await refreshBtn!.action(); expect(listExperimentsSpy.mock.calls.length).toBe(2); expect(listExperimentsSpy).toHaveBeenLastCalledWith(...LIST_EXPERIMENT_DEFAULTS); expect(updateBannerSpy).toHaveBeenLastCalledWith({}); }); it('shows error banner when listing experiments fails', async () => { TestUtils.makeErrorResponseOnce(listExperimentsSpy, 'bad stuff happened'); tree = TestUtils.mountWithRouter(<ExperimentList {...generateProps()} />); await listExperimentsSpy; await TestUtils.flushPromises(); expect(updateBannerSpy).toHaveBeenLastCalledWith( expect.objectContaining({ additionalInfo: 'bad stuff happened', message: 'Error: failed to retrieve list of experiments. Click Details for more information.', mode: 'error', }), ); }); it('shows error next to experiment when listing its last 5 runs fails', async () => { // tslint:disable-next-line:no-console console.error = jest.spyOn(console, 'error').mockImplementation(); listExperimentsSpy.mockImplementationOnce(() => ({ experiments: [{ name: 'exp1' }] })); TestUtils.makeErrorResponseOnce(listRunsSpy, 'bad stuff happened'); tree = TestUtils.mountWithRouter(<ExperimentList {...generateProps()} />); await listExperimentsSpy; await TestUtils.flushPromises(); expect(tree.state()).toHaveProperty('displayExperiments', [ { error: 'Failed to load the last 5 runs of this experiment', expandState: 0, name: 'exp1', }, ]); }); it('shows error banner when listing experiments fails after refresh', async () => { tree = TestUtils.mountWithRouter(<ExperimentList {...generateProps()} />); const instance = tree.instance() as ExperimentList; const refreshBtn = instance.getInitialToolbarState().actions[ButtonKeys.REFRESH]; expect(refreshBtn).toBeDefined(); TestUtils.makeErrorResponseOnce(listExperimentsSpy, 'bad stuff happened'); await refreshBtn!.action(); expect(listExperimentsSpy.mock.calls.length).toBe(2); expect(listExperimentsSpy).toHaveBeenLastCalledWith(...LIST_EXPERIMENT_DEFAULTS); expect(updateBannerSpy).toHaveBeenLastCalledWith( expect.objectContaining({ additionalInfo: 'bad stuff happened', message: 'Error: failed to retrieve list of experiments. Click Details for more information.', mode: 'error', }), ); }); it('hides error banner when listing experiments fails then succeeds', async () => { TestUtils.makeErrorResponseOnce(listExperimentsSpy, 'bad stuff happened'); tree = TestUtils.mountWithRouter(<ExperimentList {...generateProps()} />); const instance = tree.instance() as ExperimentList; await listExperimentsSpy; await TestUtils.flushPromises(); expect(updateBannerSpy).toHaveBeenLastCalledWith( expect.objectContaining({ additionalInfo: 'bad stuff happened', message: 'Error: failed to retrieve list of experiments. Click Details for more information.', mode: 'error', }), ); updateBannerSpy.mockReset(); const refreshBtn = instance.getInitialToolbarState().actions[ButtonKeys.REFRESH]; listExperimentsSpy.mockImplementationOnce(() => ({ experiments: [{ name: 'experiment1' }] })); listRunsSpy.mockImplementationOnce(() => ({ runs: [{ name: 'run1' }] })); await refreshBtn!.action(); expect(listExperimentsSpy.mock.calls.length).toBe(2); expect(updateBannerSpy).toHaveBeenLastCalledWith({}); }); it('can expand an experiment to see its runs', async () => { await mountWithNExperiments(1, 1); tree .find('.tableRow button') .at(0) .simulate('click'); expect(tree.state()).toHaveProperty('displayExperiments', [ { expandState: ExpandState.EXPANDED, id: 'test-experiment-id0', last5Runs: [{ id: 'test-run-id0', name: 'test run name0' }], name: 'test experiment name0', }, ]); }); it('renders a list of runs for given experiment', async () => { tree = shallow(<ExperimentList {...generateProps()} />); tree.setState({ displayExperiments: [{ id: 'experiment1', last5Runs: [{ id: 'run1id' }, { id: 'run2id' }] }], }); const runListTree = (tree.instance() as any)._getExpandedExperimentComponent(0); expect(runListTree.props.experimentIdMask).toEqual('experiment1'); }); it('navigates to new experiment page when Create experiment button is clicked', async () => { tree = TestUtils.mountWithRouter(<ExperimentList {...generateProps()} />); const createBtn = (tree.instance() as ExperimentList).getInitialToolbarState().actions[ ButtonKeys.NEW_EXPERIMENT ]; await createBtn!.action(); expect(historyPushSpy).toHaveBeenLastCalledWith(RoutePage.NEW_EXPERIMENT); }); it('always has new experiment button enabled', async () => { await mountWithNExperiments(1, 1); const calls = updateToolbarSpy.mock.calls[0]; expect(calls[0].actions[ButtonKeys.NEW_EXPERIMENT]).not.toHaveProperty('disabled'); }); it('enables clone button when one run is selected', async () => { await mountWithNExperiments(1, 1); (tree.instance() as any)._selectionChanged(['run1']); expect(updateToolbarSpy).toHaveBeenCalledTimes(2); expect(updateToolbarSpy.mock.calls[0][0].actions[ButtonKeys.CLONE_RUN]).toHaveProperty( 'disabled', true, ); expect(updateToolbarSpy.mock.calls[1][0].actions[ButtonKeys.CLONE_RUN]).toHaveProperty( 'disabled', false, ); }); it('disables clone button when more than one run is selected', async () => { await mountWithNExperiments(1, 1); (tree.instance() as any)._selectionChanged(['run1', 'run2']); expect(updateToolbarSpy).toHaveBeenCalledTimes(2); expect(updateToolbarSpy.mock.calls[0][0].actions[ButtonKeys.CLONE_RUN]).toHaveProperty( 'disabled', true, ); expect(updateToolbarSpy.mock.calls[1][0].actions[ButtonKeys.CLONE_RUN]).toHaveProperty( 'disabled', true, ); }); it('enables compare runs button only when more than one is selected', async () => { await mountWithNExperiments(1, 1); (tree.instance() as any)._selectionChanged(['run1']); (tree.instance() as any)._selectionChanged(['run1', 'run2']); (tree.instance() as any)._selectionChanged(['run1', 'run2', 'run3']); expect(updateToolbarSpy).toHaveBeenCalledTimes(4); expect(updateToolbarSpy.mock.calls[0][0].actions[ButtonKeys.COMPARE]).toHaveProperty( 'disabled', true, ); expect(updateToolbarSpy.mock.calls[1][0].actions[ButtonKeys.COMPARE]).toHaveProperty( 'disabled', false, ); expect(updateToolbarSpy.mock.calls[2][0].actions[ButtonKeys.COMPARE]).toHaveProperty( 'disabled', false, ); }); it('navigates to compare page with the selected run ids', async () => { await mountWithNExperiments(1, 1); (tree.instance() as any)._selectionChanged(['run1', 'run2', 'run3']); const compareBtn = (tree.instance() as ExperimentList).getInitialToolbarState().actions[ ButtonKeys.COMPARE ]; await compareBtn!.action(); expect(historyPushSpy).toHaveBeenLastCalledWith( `${RoutePage.COMPARE}?${QUERY_PARAMS.runlist}=run1,run2,run3`, ); }); it('navigates to new run page with the selected run id for cloning', async () => { await mountWithNExperiments(1, 1); (tree.instance() as any)._selectionChanged(['run1']); const cloneBtn = (tree.instance() as ExperimentList).getInitialToolbarState().actions[ ButtonKeys.CLONE_RUN ]; await cloneBtn!.action(); expect(historyPushSpy).toHaveBeenLastCalledWith( `${RoutePage.NEW_RUN}?${QUERY_PARAMS.cloneFromRun}=run1`, ); }); it('enables archive button when at least one run is selected', async () => { await mountWithNExperiments(1, 1); expect(TestUtils.getToolbarButton(updateToolbarSpy, ButtonKeys.ARCHIVE).disabled).toBeTruthy(); (tree.instance() as any)._selectionChanged(['run1']); expect(TestUtils.getToolbarButton(updateToolbarSpy, ButtonKeys.ARCHIVE).disabled).toBeFalsy(); (tree.instance() as any)._selectionChanged(['run1', 'run2']); expect(TestUtils.getToolbarButton(updateToolbarSpy, ButtonKeys.ARCHIVE).disabled).toBeFalsy(); (tree.instance() as any)._selectionChanged([]); expect(TestUtils.getToolbarButton(updateToolbarSpy, ButtonKeys.ARCHIVE).disabled).toBeTruthy(); }); it('renders experiment names as links to their details pages', async () => { tree = TestUtils.mountWithRouter(<ExperimentList {...generateProps()} />); expect( (tree.instance() as ExperimentList)._nameCustomRenderer({ id: 'experiment-id', value: 'experiment name', }), ).toMatchSnapshot(); }); it('renders last 5 runs statuses', async () => { tree = TestUtils.mountWithRouter(<ExperimentList {...generateProps()} />); expect( (tree.instance() as ExperimentList)._last5RunsCustomRenderer({ id: 'experiment-id', value: [ { status: NodePhase.SUCCEEDED }, { status: NodePhase.PENDING }, { status: NodePhase.FAILED }, { status: NodePhase.UNKNOWN }, { status: NodePhase.SUCCEEDED }, ], }), ).toMatchSnapshot(); }); describe('EnhancedExperimentList', () => { it('defaults to no namespace', () => { render(<EnhancedExperimentList {...generateProps()} />); expect(listExperimentsSpy).toHaveBeenLastCalledWith(...LIST_EXPERIMENT_DEFAULTS); }); it('gets namespace from context', () => { render( <NamespaceContext.Provider value='test-ns'> <EnhancedExperimentList {...generateProps()} /> </NamespaceContext.Provider>, ); expect(listExperimentsSpy).toHaveBeenLastCalledWith( ...LIST_EXPERIMENT_DEFAULTS_WITHOUT_RESOURCE_REFERENCE, 'NAMESPACE', 'test-ns', ); }); it('auto refreshes list when namespace changes', () => { const { rerender } = render( <NamespaceContext.Provider value='test-ns-1'> <EnhancedExperimentList {...generateProps()} /> </NamespaceContext.Provider>, ); expect(listExperimentsSpy).toHaveBeenCalledTimes(1); expect(listExperimentsSpy).toHaveBeenLastCalledWith( ...LIST_EXPERIMENT_DEFAULTS_WITHOUT_RESOURCE_REFERENCE, 'NAMESPACE', 'test-ns-1', ); rerender( <NamespaceContext.Provider value='test-ns-2'> <EnhancedExperimentList {...generateProps()} /> </NamespaceContext.Provider>, ); expect(listExperimentsSpy).toHaveBeenCalledTimes(2); expect(listExperimentsSpy).toHaveBeenLastCalledWith( ...LIST_EXPERIMENT_DEFAULTS_WITHOUT_RESOURCE_REFERENCE, 'NAMESPACE', 'test-ns-2', ); }); it("doesn't keep error message for request from previous namespace", async () => { listExperimentsSpy.mockImplementation(() => Promise.reject('namespace cannot be empty')); const { rerender } = render( <MemoryRouter> <NamespaceContext.Provider value={undefined}> <EnhancedExperimentList {...generateProps()} /> </NamespaceContext.Provider> </MemoryRouter>, ); listExperimentsSpy.mockImplementation(mockListNExpperiments()); rerender( <MemoryRouter> <NamespaceContext.Provider value={'test-ns'}> <EnhancedExperimentList {...generateProps()} /> </NamespaceContext.Provider> </MemoryRouter>, ); await act(TestUtils.flushPromises); expect(updateBannerSpy).toHaveBeenLastCalledWith( {}, // Empty object means banner has no error message ); }); }); });
7,809
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/RunList.test.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import * as Utils from '../lib/Utils'; import RunList, { RunListProps } from './RunList'; import TestUtils from '../TestUtils'; import produce from 'immer'; import { ApiFilter, PredicateOp } from '../apis/filter'; import { ApiRun, ApiRunDetail, ApiResourceType, ApiRunMetric, RunMetricFormat, RunStorageState, } from '../apis/run'; import { Apis, RunSortKeys, ListRequest } from '../lib/Apis'; import { MetricMetadata } from '../lib/RunUtils'; import { NodePhase } from '../lib/StatusUtils'; import { ReactWrapper, ShallowWrapper, shallow } from 'enzyme'; import { range } from 'lodash'; class RunListTest extends RunList { public _loadRuns(request: ListRequest): Promise<string> { return super._loadRuns(request); } } describe('RunList', () => { let tree: ShallowWrapper | ReactWrapper; const onErrorSpy = jest.fn(); const listRunsSpy = jest.spyOn(Apis.runServiceApi, 'listRuns'); const getRunSpy = jest.spyOn(Apis.runServiceApi, 'getRun'); const getPipelineSpy = jest.spyOn(Apis.pipelineServiceApi, 'getPipeline'); const getExperimentSpy = jest.spyOn(Apis.experimentServiceApi, 'getExperiment'); // We mock this because it uses toLocaleDateString, which causes mismatches between local and CI // test enviroments const formatDateStringSpy = jest.spyOn(Utils, 'formatDateString'); function generateProps(): RunListProps { return { history: {} as any, location: { search: '' } as any, match: '' as any, onError: onErrorSpy, }; } function mockNRuns(n: number, runTemplate: Partial<ApiRunDetail>): void { getRunSpy.mockImplementation(id => Promise.resolve( produce(runTemplate, draft => { draft.run = draft.run || {}; draft.run.id = id; draft.run.name = 'run with id: ' + id; }), ), ); listRunsSpy.mockImplementation(() => Promise.resolve({ runs: range(1, n + 1).map(i => { if (runTemplate.run) { return produce(runTemplate.run as Partial<ApiRun>, draft => { draft.id = 'testrun' + i; draft.name = 'run with id: testrun' + i; }); } return { id: 'testrun' + i, name: 'run with id: testrun' + i, } as ApiRun; }), }), ); getPipelineSpy.mockImplementation(() => ({ name: 'some pipeline' })); getExperimentSpy.mockImplementation(() => ({ name: 'some experiment' })); } function getMountedInstance(): RunList { tree = TestUtils.mountWithRouter(<RunList {...generateProps()} />); return tree.instance() as RunList; } function getShallowInstance(): RunList { tree = shallow(<RunList {...generateProps()} />); return tree.instance() as RunList; } beforeEach(() => { formatDateStringSpy.mockImplementation((date?: Date) => { return date ? '1/2/2019, 12:34:56 PM' : '-'; }); onErrorSpy.mockClear(); listRunsSpy.mockClear(); getRunSpy.mockClear(); getPipelineSpy.mockClear(); getExperimentSpy.mockClear(); }); afterEach(async () => { // unmount() should be called before resetAllMocks() in case any part of the unmount life cycle // depends on mocks/spies if (tree) { await tree.unmount(); } jest.resetAllMocks(); }); it('renders the empty experience', () => { expect(shallow(<RunList {...generateProps()} />)).toMatchSnapshot(); }); describe('in archived state', () => { it('renders the empty experience', () => { const props = generateProps(); props.storageState = RunStorageState.ARCHIVED; expect(shallow(<RunList {...props} />)).toMatchSnapshot(); }); it('loads runs whose storage state is not ARCHIVED when storage state equals AVAILABLE', async () => { mockNRuns(1, {}); const props = generateProps(); props.storageState = RunStorageState.AVAILABLE; tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({}); expect(Apis.runServiceApi.listRuns).toHaveBeenLastCalledWith( undefined, undefined, undefined, undefined, undefined, encodeURIComponent( JSON.stringify({ predicates: [ { key: 'storage_state', op: PredicateOp.NOTEQUALS, string_value: RunStorageState.ARCHIVED.toString(), }, ], } as ApiFilter), ), ); }); it('loads runs whose storage state is ARCHIVED when storage state equals ARCHIVED', async () => { mockNRuns(1, {}); const props = generateProps(); props.storageState = RunStorageState.ARCHIVED; tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({}); expect(Apis.runServiceApi.listRuns).toHaveBeenLastCalledWith( undefined, undefined, undefined, undefined, undefined, encodeURIComponent( JSON.stringify({ predicates: [ { key: 'storage_state', op: PredicateOp.EQUALS, string_value: RunStorageState.ARCHIVED.toString(), }, ], } as ApiFilter), ), ); }); it('augments request filter with storage state predicates', async () => { mockNRuns(1, {}); const props = generateProps(); props.storageState = RunStorageState.ARCHIVED; tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({ filter: encodeURIComponent( JSON.stringify({ predicates: [{ key: 'k', op: 'op', string_value: 'val' }], }), ), }); expect(Apis.runServiceApi.listRuns).toHaveBeenLastCalledWith( undefined, undefined, undefined, undefined, undefined, encodeURIComponent( JSON.stringify({ predicates: [ { key: 'k', op: 'op', string_value: 'val', }, { key: 'storage_state', op: PredicateOp.EQUALS, string_value: RunStorageState.ARCHIVED.toString(), }, ], } as ApiFilter), ), ); }); }); it('loads one run', async () => { mockNRuns(1, {}); const props = generateProps(); tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({}); expect(Apis.runServiceApi.listRuns).toHaveBeenLastCalledWith( undefined, undefined, undefined, undefined, undefined, undefined, ); expect(props.onError).not.toHaveBeenCalled(); expect(tree).toMatchSnapshot(); }); it('reloads the run when refresh is called', async () => { mockNRuns(0, {}); const props = generateProps(); tree = TestUtils.mountWithRouter(<RunList {...props} />); await (tree.instance() as RunList).refresh(); tree.update(); expect(Apis.runServiceApi.listRuns).toHaveBeenCalledTimes(2); expect(Apis.runServiceApi.listRuns).toHaveBeenLastCalledWith( '', 10, RunSortKeys.CREATED_AT + ' desc', undefined, undefined, '', ); expect(props.onError).not.toHaveBeenCalled(); expect(tree).toMatchSnapshot(); }); it('loads multiple runs', async () => { mockNRuns(5, {}); const props = generateProps(); tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({}); expect(props.onError).not.toHaveBeenCalled(); expect(tree).toMatchSnapshot(); }); it('calls error callback when loading runs fails', async () => { TestUtils.makeErrorResponseOnce( jest.spyOn(Apis.runServiceApi, 'listRuns'), 'bad stuff happened', ); const props = generateProps(); tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({}); expect(props.onError).toHaveBeenLastCalledWith( 'Error: failed to fetch runs.', new Error('bad stuff happened'), ); }); it('displays error in run row if pipeline could not be fetched', async () => { mockNRuns(1, { run: { pipeline_spec: { pipeline_id: 'test-pipeline-id' } } }); TestUtils.makeErrorResponseOnce(getPipelineSpy, 'bad stuff happened'); const props = generateProps(); tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({}); expect(tree).toMatchSnapshot(); }); it('displays error in run row if experiment could not be fetched', async () => { mockNRuns(1, { run: { resource_references: [ { key: { id: 'test-experiment-id', type: ApiResourceType.EXPERIMENT }, }, ], }, }); TestUtils.makeErrorResponseOnce(getExperimentSpy, 'bad stuff happened'); const props = generateProps(); tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({}); expect(tree).toMatchSnapshot(); }); it('displays error in run row if it failed to parse (run list mask)', async () => { TestUtils.makeErrorResponseOnce(jest.spyOn(Apis.runServiceApi, 'getRun'), 'bad stuff happened'); const props = generateProps(); props.runIdListMask = ['testrun1', 'testrun2']; tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({}); expect(tree).toMatchSnapshot(); }); it('shows run time for each run', async () => { mockNRuns(1, { run: { created_at: new Date(2018, 10, 10, 10, 10, 10), finished_at: new Date(2018, 10, 10, 11, 11, 11), status: 'Succeeded', }, }); const props = generateProps(); tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({}); expect(props.onError).not.toHaveBeenCalled(); expect(tree).toMatchSnapshot(); }); it('loads runs for a given experiment id', async () => { mockNRuns(1, {}); const props = generateProps(); props.experimentIdMask = 'experiment1'; tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({}); expect(props.onError).not.toHaveBeenCalled(); expect(Apis.runServiceApi.listRuns).toHaveBeenLastCalledWith( undefined, undefined, undefined, 'EXPERIMENT', 'experiment1', undefined, ); }); it('loads runs for a given namespace', async () => { mockNRuns(1, {}); const props = generateProps(); props.namespaceMask = 'namespace1'; tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({}); expect(props.onError).not.toHaveBeenCalled(); expect(Apis.runServiceApi.listRuns).toHaveBeenLastCalledWith( undefined, undefined, undefined, 'NAMESPACE', 'namespace1', undefined, ); }); it('loads given list of runs only', async () => { mockNRuns(5, {}); const props = generateProps(); props.runIdListMask = ['run1', 'run2']; tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({}); expect(props.onError).not.toHaveBeenCalled(); expect(Apis.runServiceApi.listRuns).not.toHaveBeenCalled(); expect(Apis.runServiceApi.getRun).toHaveBeenCalledTimes(2); expect(Apis.runServiceApi.getRun).toHaveBeenCalledWith('run1'); expect(Apis.runServiceApi.getRun).toHaveBeenCalledWith('run2'); }); it('adds metrics columns', async () => { mockNRuns(2, { run: { metrics: [ { name: 'metric1', number_value: 5 }, { name: 'metric2', number_value: 10 }, ], status: 'Succeeded', }, }); const props = generateProps(); tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({}); expect(props.onError).not.toHaveBeenCalled(); expect(tree).toMatchSnapshot(); }); it('shows pipeline name', async () => { mockNRuns(1, { run: { pipeline_spec: { pipeline_id: 'test-pipeline-id', pipeline_name: 'pipeline name' } }, }); const props = generateProps(); tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({}); expect(props.onError).not.toHaveBeenCalled(); expect(tree).toMatchSnapshot(); }); it('retrieves pipeline from backend to display name if not in spec', async () => { mockNRuns(1, { run: { pipeline_spec: { pipeline_id: 'test-pipeline-id' /* no pipeline_name */ } }, }); getPipelineSpy.mockImplementationOnce(() => ({ name: 'test pipeline' })); const props = generateProps(); tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({}); expect(props.onError).not.toHaveBeenCalled(); expect(tree).toMatchSnapshot(); }); it('shows link to recurring run config', async () => { mockNRuns(1, { run: { resource_references: [ { key: { id: 'test-recurring-run-id', type: ApiResourceType.JOB }, }, ], }, }); const props = generateProps(); tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({}); expect(props.onError).not.toHaveBeenCalled(); expect(tree).toMatchSnapshot(); }); it('shows experiment name', async () => { mockNRuns(1, { run: { resource_references: [ { key: { id: 'test-experiment-id', type: ApiResourceType.EXPERIMENT }, }, ], }, }); getExperimentSpy.mockImplementationOnce(() => ({ name: 'test experiment' })); const props = generateProps(); tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({}); expect(props.onError).not.toHaveBeenCalled(); expect(tree).toMatchSnapshot(); }); it('hides experiment name if instructed', async () => { mockNRuns(1, { run: { resource_references: [ { key: { id: 'test-experiment-id', type: ApiResourceType.EXPERIMENT }, }, ], }, }); getExperimentSpy.mockImplementationOnce(() => ({ name: 'test experiment' })); const props = generateProps(); props.hideExperimentColumn = true; tree = shallow(<RunList {...props} />); await (tree.instance() as RunListTest)._loadRuns({}); expect(props.onError).not.toHaveBeenCalled(); expect(tree).toMatchSnapshot(); }); it('renders run name as link to its details page', () => { expect( getMountedInstance()._nameCustomRenderer({ value: 'test run', id: 'run-id' }), ).toMatchSnapshot(); }); it('renders pipeline name as link to its details page', () => { expect( getMountedInstance()._pipelineVersionCustomRenderer({ id: 'run-id', value: { displayName: 'test pipeline', pipelineId: 'pipeline-id', usePlaceholder: false }, }), ).toMatchSnapshot(); }); it('handles no pipeline id given', () => { expect( getMountedInstance()._pipelineVersionCustomRenderer({ id: 'run-id', value: { displayName: 'test pipeline', usePlaceholder: false }, }), ).toMatchSnapshot(); }); it('shows "View pipeline" button if pipeline is embedded in run', () => { expect( getMountedInstance()._pipelineVersionCustomRenderer({ id: 'run-id', value: { displayName: 'test pipeline', pipelineId: 'pipeline-id', usePlaceholder: true }, }), ).toMatchSnapshot(); }); it('handles no pipeline name', () => { expect( getMountedInstance()._pipelineVersionCustomRenderer({ id: 'run-id', value: { /* no displayName */ usePlaceholder: true }, }), ).toMatchSnapshot(); }); it('renders pipeline name as link to its details page', () => { expect( getMountedInstance()._recurringRunCustomRenderer({ id: 'run-id', value: { id: 'recurring-run-id' }, }), ).toMatchSnapshot(); }); it('renders experiment name as link to its details page', () => { expect( getMountedInstance()._experimentCustomRenderer({ id: 'run-id', value: { displayName: 'test experiment', id: 'experiment-id' }, }), ).toMatchSnapshot(); }); it('renders no experiment name', () => { expect( getMountedInstance()._experimentCustomRenderer({ id: 'run-id', value: { /* no displayName */ id: 'experiment-id' }, }), ).toMatchSnapshot(); }); it('renders status as icon', () => { expect( getShallowInstance()._statusCustomRenderer({ value: NodePhase.SUCCEEDED, id: 'run-id' }), ).toMatchSnapshot(); }); it('renders metric buffer', () => { expect( getShallowInstance()._metricBufferCustomRenderer({ value: {}, id: 'run-id' }), ).toMatchSnapshot(); }); it('renders an empty metric when there is no metric', () => { expect( getShallowInstance()._metricCustomRenderer({ value: undefined, id: 'run-id' }), ).toMatchSnapshot(); }); it('renders an empty metric when metric is empty', () => { expect( getShallowInstance()._metricCustomRenderer({ value: {}, id: 'run-id' }), ).toMatchSnapshot(); }); it('renders an empty metric when metric value is empty', () => { expect( getShallowInstance()._metricCustomRenderer({ value: { metric: {} }, id: 'run-id' }), ).toMatchSnapshot(); }); it('renders percentage metric', () => { expect( getShallowInstance()._metricCustomRenderer({ id: 'run-id', value: { metric: { number_value: 0.3, format: RunMetricFormat.PERCENTAGE } }, }), ).toMatchSnapshot(); }); it('renders raw metric', () => { expect( getShallowInstance()._metricCustomRenderer({ id: 'run-id', value: { metadata: { count: 1, maxValue: 100, minValue: 10 } as MetricMetadata, metric: { number_value: 55 } as ApiRunMetric, }, }), ).toMatchSnapshot(); }); it('renders pipeline version name as link to its details page', () => { expect( getMountedInstance()._pipelineVersionCustomRenderer({ id: 'run-id', value: { displayName: 'test pipeline version', pipelineId: 'pipeline-id', usePlaceholder: false, versionId: 'version-id', }, }), ).toMatchSnapshot(); }); });
7,810
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/RecurringRunDetails.test.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import RecurringRunDetails from './RecurringRunDetails'; import TestUtils from '../TestUtils'; import { ApiJob, ApiResourceType } from '../apis/job'; import { Apis } from '../lib/Apis'; import { PageProps } from './Page'; import { RouteParams, RoutePage, QUERY_PARAMS } from '../components/Router'; import { shallow, ReactWrapper, ShallowWrapper } from 'enzyme'; import { ButtonKeys } from '../lib/Buttons'; describe('RecurringRunDetails', () => { let tree: ReactWrapper<any> | ShallowWrapper<any>; const updateBannerSpy = jest.fn(); const updateDialogSpy = jest.fn(); const updateSnackbarSpy = jest.fn(); const updateToolbarSpy = jest.fn(); const historyPushSpy = jest.fn(); const getJobSpy = jest.spyOn(Apis.jobServiceApi, 'getJob'); const deleteJobSpy = jest.spyOn(Apis.jobServiceApi, 'deleteJob'); const enableJobSpy = jest.spyOn(Apis.jobServiceApi, 'enableJob'); const disableJobSpy = jest.spyOn(Apis.jobServiceApi, 'disableJob'); const getExperimentSpy = jest.spyOn(Apis.experimentServiceApi, 'getExperiment'); let fullTestJob: ApiJob = {}; function generateProps(): PageProps { const match = { isExact: true, params: { [RouteParams.runId]: fullTestJob.id }, path: '', url: '', }; return TestUtils.generatePageProps( RecurringRunDetails, '' as any, match, historyPushSpy, updateBannerSpy, updateDialogSpy, updateToolbarSpy, updateSnackbarSpy, ); } beforeEach(() => { fullTestJob = { created_at: new Date(2018, 8, 5, 4, 3, 2), description: 'test job description', enabled: true, id: 'test-job-id', max_concurrency: '50', no_catchup: true, name: 'test job', pipeline_spec: { parameters: [{ name: 'param1', value: 'value1' }], pipeline_id: 'some-pipeline-id', }, trigger: { periodic_schedule: { end_time: new Date(2018, 10, 9, 8, 7, 6), interval_second: '3600', start_time: new Date(2018, 9, 8, 7, 6), }, }, } as ApiJob; jest.clearAllMocks(); getJobSpy.mockImplementation(() => fullTestJob); deleteJobSpy.mockImplementation(); enableJobSpy.mockImplementation(); disableJobSpy.mockImplementation(); getExperimentSpy.mockImplementation(); }); afterEach(() => tree.unmount()); it('renders a recurring run with periodic schedule', async () => { tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); expect(tree).toMatchSnapshot(); }); it('renders a recurring run with cron schedule', async () => { const cronTestJob = { ...fullTestJob, no_catchup: undefined, // in api requests, it's undefined when false trigger: { cron_schedule: { cron: '* * * 0 0 !', end_time: new Date(2018, 10, 9, 8, 7, 6), start_time: new Date(2018, 9, 8, 7, 6), }, }, }; getJobSpy.mockImplementation(() => cronTestJob); tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); expect(tree).toMatchSnapshot(); }); it('loads the recurring run given its id in query params', async () => { // The run id is in the router match object, defined inside generateProps tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); expect(getJobSpy).toHaveBeenLastCalledWith(fullTestJob.id); expect(getExperimentSpy).not.toHaveBeenCalled(); }); it('shows All runs -> run name when there is no experiment', async () => { // The run id is in the router match object, defined inside generateProps tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); expect(updateToolbarSpy).toHaveBeenLastCalledWith( expect.objectContaining({ breadcrumbs: [{ displayName: 'All runs', href: RoutePage.RUNS }], pageTitle: fullTestJob.name, }), ); }); it('loads the recurring run and its experiment if it has one', async () => { fullTestJob.resource_references = [ { key: { id: 'test-experiment-id', type: ApiResourceType.EXPERIMENT } }, ]; tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); expect(getJobSpy).toHaveBeenLastCalledWith(fullTestJob.id); expect(getExperimentSpy).toHaveBeenLastCalledWith('test-experiment-id'); }); it('shows Experiments -> Experiment name -> run name when there is an experiment', async () => { fullTestJob.resource_references = [ { key: { id: 'test-experiment-id', type: ApiResourceType.EXPERIMENT } }, ]; getExperimentSpy.mockImplementation(id => ({ id, name: 'test experiment name' })); tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); expect(updateToolbarSpy).toHaveBeenLastCalledWith( expect.objectContaining({ breadcrumbs: [ { displayName: 'Experiments', href: RoutePage.EXPERIMENTS }, { displayName: 'test experiment name', href: RoutePage.EXPERIMENT_DETAILS.replace( ':' + RouteParams.experimentId, 'test-experiment-id', ), }, ], pageTitle: fullTestJob.name, }), ); }); it('shows error banner if run cannot be fetched', async () => { TestUtils.makeErrorResponseOnce(getJobSpy, 'woops!'); tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); expect(updateBannerSpy).toHaveBeenCalledTimes(2); // Once to clear, once to show error expect(updateBannerSpy).toHaveBeenLastCalledWith( expect.objectContaining({ additionalInfo: 'woops!', message: `Error: failed to retrieve recurring run: ${fullTestJob.id}. Click Details for more information.`, mode: 'error', }), ); }); it('shows warning banner if has experiment but experiment cannot be fetched. still loads run', async () => { fullTestJob.resource_references = [ { key: { id: 'test-experiment-id', type: ApiResourceType.EXPERIMENT } }, ]; TestUtils.makeErrorResponseOnce(getExperimentSpy, 'woops!'); tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); expect(updateBannerSpy).toHaveBeenCalledTimes(2); // Once to clear, once to show error expect(updateBannerSpy).toHaveBeenLastCalledWith( expect.objectContaining({ additionalInfo: 'woops!', message: `Error: failed to retrieve this recurring run's experiment. Click Details for more information.`, mode: 'warning', }), ); expect(tree.state('run')).toEqual(fullTestJob); }); it('has a Refresh button, clicking it refreshes the run details', async () => { tree = shallow(<RecurringRunDetails {...generateProps()} />); const instance = tree.instance() as RecurringRunDetails; const refreshBtn = instance.getInitialToolbarState().actions[ButtonKeys.REFRESH]; expect(refreshBtn).toBeDefined(); expect(getJobSpy).toHaveBeenCalledTimes(1); await refreshBtn!.action(); expect(getJobSpy).toHaveBeenCalledTimes(2); }); it('has a clone button, clicking it navigates to new run page', async () => { tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); const instance = tree.instance() as RecurringRunDetails; const cloneBtn = instance.getInitialToolbarState().actions[ButtonKeys.CLONE_RECURRING_RUN]; expect(cloneBtn).toBeDefined(); await cloneBtn!.action(); expect(historyPushSpy).toHaveBeenCalledTimes(1); expect(historyPushSpy).toHaveBeenLastCalledWith( RoutePage.NEW_RUN + `?${QUERY_PARAMS.cloneFromRecurringRun}=${fullTestJob!.id}` + `&${QUERY_PARAMS.isRecurring}=1`, ); }); it('shows enabled Disable, and disabled Enable buttons if the run is enabled', async () => { tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); expect(updateToolbarSpy).toHaveBeenCalledTimes(2); const enableBtn = TestUtils.getToolbarButton(updateToolbarSpy, ButtonKeys.ENABLE_RECURRING_RUN); expect(enableBtn).toBeDefined(); expect(enableBtn!.disabled).toBe(true); const disableBtn = TestUtils.getToolbarButton( updateToolbarSpy, ButtonKeys.DISABLE_RECURRING_RUN, ); expect(disableBtn).toBeDefined(); expect(disableBtn!.disabled).toBe(false); }); it('shows enabled Disable, and disabled Enable buttons if the run is disabled', async () => { fullTestJob.enabled = false; tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); expect(updateToolbarSpy).toHaveBeenCalledTimes(2); const enableBtn = TestUtils.getToolbarButton(updateToolbarSpy, ButtonKeys.ENABLE_RECURRING_RUN); expect(enableBtn).toBeDefined(); expect(enableBtn!.disabled).toBe(false); const disableBtn = TestUtils.getToolbarButton( updateToolbarSpy, ButtonKeys.DISABLE_RECURRING_RUN, ); expect(disableBtn).toBeDefined(); expect(disableBtn!.disabled).toBe(true); }); it('shows enabled Disable, and disabled Enable buttons if the run is undefined', async () => { fullTestJob.enabled = undefined; tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); expect(updateToolbarSpy).toHaveBeenCalledTimes(2); const enableBtn = TestUtils.getToolbarButton(updateToolbarSpy, ButtonKeys.ENABLE_RECURRING_RUN); expect(enableBtn).toBeDefined(); expect(enableBtn!.disabled).toBe(false); const disableBtn = TestUtils.getToolbarButton( updateToolbarSpy, ButtonKeys.DISABLE_RECURRING_RUN, ); expect(disableBtn).toBeDefined(); expect(disableBtn!.disabled).toBe(true); }); it('calls disable API when disable button is clicked, refreshes the page', async () => { tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); const instance = tree.instance() as RecurringRunDetails; const disableBtn = instance.getInitialToolbarState().actions[ButtonKeys.DISABLE_RECURRING_RUN]; await disableBtn!.action(); expect(disableJobSpy).toHaveBeenCalledTimes(1); expect(disableJobSpy).toHaveBeenLastCalledWith('test-job-id'); expect(getJobSpy).toHaveBeenCalledTimes(2); expect(getJobSpy).toHaveBeenLastCalledWith('test-job-id'); }); it('shows error dialog if disable fails', async () => { tree = shallow(<RecurringRunDetails {...generateProps()} />); TestUtils.makeErrorResponseOnce(disableJobSpy, 'could not disable'); await TestUtils.flushPromises(); const instance = tree.instance() as RecurringRunDetails; const disableBtn = instance.getInitialToolbarState().actions[ButtonKeys.DISABLE_RECURRING_RUN]; await disableBtn!.action(); expect(updateDialogSpy).toHaveBeenCalledTimes(1); expect(updateDialogSpy).toHaveBeenLastCalledWith( expect.objectContaining({ content: 'could not disable', title: 'Failed to disable recurring run', }), ); }); it('shows error dialog if enable fails', async () => { fullTestJob.enabled = false; tree = shallow(<RecurringRunDetails {...generateProps()} />); TestUtils.makeErrorResponseOnce(enableJobSpy, 'could not enable'); await TestUtils.flushPromises(); const instance = tree.instance() as RecurringRunDetails; const enableBtn = instance.getInitialToolbarState().actions[ButtonKeys.ENABLE_RECURRING_RUN]; await enableBtn!.action(); expect(updateDialogSpy).toHaveBeenCalledTimes(1); expect(updateDialogSpy).toHaveBeenLastCalledWith( expect.objectContaining({ content: 'could not enable', title: 'Failed to enable recurring run', }), ); }); it('calls enable API when enable button is clicked, refreshes the page', async () => { fullTestJob.enabled = false; tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); const instance = tree.instance() as RecurringRunDetails; const enableBtn = instance.getInitialToolbarState().actions[ButtonKeys.ENABLE_RECURRING_RUN]; await enableBtn!.action(); expect(enableJobSpy).toHaveBeenCalledTimes(1); expect(enableJobSpy).toHaveBeenLastCalledWith('test-job-id'); expect(getJobSpy).toHaveBeenCalledTimes(2); expect(getJobSpy).toHaveBeenLastCalledWith('test-job-id'); }); it('shows a delete button', async () => { tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); const instance = tree.instance() as RecurringRunDetails; const deleteBtn = instance.getInitialToolbarState().actions[ButtonKeys.DELETE_RUN]; expect(deleteBtn).toBeDefined(); }); it('shows delete dialog when delete button is clicked', async () => { tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); const instance = tree.instance() as RecurringRunDetails; const deleteBtn = instance.getInitialToolbarState().actions[ButtonKeys.DELETE_RUN]; await deleteBtn!.action(); expect(updateDialogSpy).toHaveBeenLastCalledWith( expect.objectContaining({ title: 'Delete this recurring run config?', }), ); }); it('calls delete API when delete confirmation dialog button is clicked', async () => { tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); const instance = tree.instance() as RecurringRunDetails; const deleteBtn = instance.getInitialToolbarState().actions[ButtonKeys.DELETE_RUN]; await deleteBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const confirmBtn = call.buttons.find((b: any) => b.text === 'Delete'); await confirmBtn.onClick(); expect(deleteJobSpy).toHaveBeenCalledTimes(1); expect(deleteJobSpy).toHaveBeenLastCalledWith('test-job-id'); }); it('does not call delete API when delete cancel dialog button is clicked', async () => { tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); const instance = tree.instance() as RecurringRunDetails; const deleteBtn = instance.getInitialToolbarState().actions[ButtonKeys.DELETE_RUN]; await deleteBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const confirmBtn = call.buttons.find((b: any) => b.text === 'Cancel'); await confirmBtn.onClick(); expect(deleteJobSpy).not.toHaveBeenCalled(); // Should not reroute expect(historyPushSpy).not.toHaveBeenCalled(); }); // TODO: need to test the dismiss path too--when the dialog is dismissed using ESC // or clicking outside it, it should be treated the same way as clicking Cancel. it('redirects back to parent experiment after delete', async () => { tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); const deleteBtn = (tree.instance() as RecurringRunDetails).getInitialToolbarState().actions[ ButtonKeys.DELETE_RUN ]; await deleteBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const confirmBtn = call.buttons.find((b: any) => b.text === 'Delete'); await confirmBtn.onClick(); expect(deleteJobSpy).toHaveBeenLastCalledWith('test-job-id'); expect(historyPushSpy).toHaveBeenCalledTimes(1); expect(historyPushSpy).toHaveBeenLastCalledWith(RoutePage.EXPERIMENTS); }); it('shows snackbar after successful deletion', async () => { tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); const deleteBtn = (tree.instance() as RecurringRunDetails).getInitialToolbarState().actions[ ButtonKeys.DELETE_RUN ]; await deleteBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const confirmBtn = call.buttons.find((b: any) => b.text === 'Delete'); await confirmBtn.onClick(); expect(updateSnackbarSpy).toHaveBeenCalledTimes(1); expect(updateSnackbarSpy).toHaveBeenLastCalledWith({ message: 'Delete succeeded for this recurring run config', open: true, }); }); it('shows error dialog after failing deletion', async () => { TestUtils.makeErrorResponseOnce(deleteJobSpy, 'could not delete'); tree = shallow(<RecurringRunDetails {...generateProps()} />); await TestUtils.flushPromises(); const deleteBtn = (tree.instance() as RecurringRunDetails).getInitialToolbarState().actions[ ButtonKeys.DELETE_RUN ]; await deleteBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const confirmBtn = call.buttons.find((b: any) => b.text === 'Delete'); await confirmBtn.onClick(); await TestUtils.flushPromises(); expect(updateDialogSpy).toHaveBeenCalledTimes(2); expect(updateDialogSpy).toHaveBeenLastCalledWith( expect.objectContaining({ content: 'Failed to delete recurring run config: test-job-id with error: "could not delete"', title: 'Failed to delete recurring run config', }), ); // Should not reroute expect(historyPushSpy).not.toHaveBeenCalled(); }); });
7,811
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/ExperimentsAndRuns.test.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import ExperimentsAndRuns, { ExperimentAndRunsProps, ExperimentsAndRunsTab, } from './ExperimentsAndRuns'; import { shallow } from 'enzyme'; function generateProps(): ExperimentAndRunsProps { return { history: {} as any, location: '' as any, match: '' as any, toolbarProps: {} as any, updateBanner: () => null, updateDialog: jest.fn(), updateSnackbar: jest.fn(), updateToolbar: () => null, view: ExperimentsAndRunsTab.EXPERIMENTS, }; } describe('ExperimentsAndRuns', () => { it('renders experiments page', () => { expect(shallow(<ExperimentsAndRuns {...(generateProps() as any)} />)).toMatchSnapshot(); }); it('renders runs page', () => { const props = generateProps(); props.view = ExperimentsAndRunsTab.RUNS; expect(shallow(<ExperimentsAndRuns {...(props as any)} />)).toMatchSnapshot(); }); it('switches to clicked page by pushing to history', () => { const spy = jest.fn(); const props = generateProps(); props.history.push = spy; const tree = shallow(<ExperimentsAndRuns {...(props as any)} />); tree.find('MD2Tabs').simulate('switch', 1); expect(spy).toHaveBeenCalledWith('/runs'); tree.find('MD2Tabs').simulate('switch', 0); expect(spy).toHaveBeenCalledWith('/experiments'); }); });
7,812
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/ArchivedExperiments.test.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import { ArchivedExperiments } from './ArchivedExperiments'; import TestUtils from '../TestUtils'; import { PageProps } from './Page'; import { ExperimentStorageState } from '../apis/experiment'; import { ShallowWrapper, shallow } from 'enzyme'; import { ButtonKeys } from '../lib/Buttons'; describe('ArchivedExperiemnts', () => { const updateBannerSpy = jest.fn(); const updateToolbarSpy = jest.fn(); const historyPushSpy = jest.fn(); const updateDialogSpy = jest.fn(); const updateSnackbarSpy = jest.fn(); let tree: ShallowWrapper; function generateProps(): PageProps { return TestUtils.generatePageProps( ArchivedExperiments, {} as any, {} as any, historyPushSpy, updateBannerSpy, updateDialogSpy, updateToolbarSpy, updateSnackbarSpy, ); } beforeEach(() => { jest.clearAllMocks(); }); afterEach(() => tree.unmount()); it('renders archived experiments', () => { tree = shallow(<ArchivedExperiments {...generateProps()} />); expect(tree).toMatchSnapshot(); }); it('removes error banner on unmount', () => { tree = shallow(<ArchivedExperiments {...generateProps()} />); tree.unmount(); expect(updateBannerSpy).toHaveBeenCalledWith({}); }); it('refreshes the experiment list when refresh button is clicked', async () => { tree = shallow(<ArchivedExperiments {...generateProps()} />); const spy = jest.fn(); (tree.instance() as any)._experimentlistRef = { current: { refresh: spy } }; await TestUtils.getToolbarButton(updateToolbarSpy, ButtonKeys.REFRESH).action(); expect(spy).toHaveBeenLastCalledWith(); }); it('shows a list of archived experiments', () => { tree = shallow(<ArchivedExperiments {...generateProps()} />); expect(tree.find('ExperimentList').prop('storageState')).toBe( ExperimentStorageState.ARCHIVED.toString(), ); }); });
7,813
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/PipelineDetails.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as JsYaml from 'js-yaml'; import * as React from 'react'; import * as StaticGraphParser from '../lib/StaticGraphParser'; import Button from '@material-ui/core/Button'; import Buttons, { ButtonKeys } from '../lib/Buttons'; import Graph from '../components/Graph'; import InfoIcon from '@material-ui/icons/InfoOutlined'; import MD2Tabs from '../atoms/MD2Tabs'; import Paper from '@material-ui/core/Paper'; import RunUtils from '../lib/RunUtils'; import SidePanel from '../components/SidePanel'; import StaticNodeDetails from '../components/StaticNodeDetails'; import { ApiExperiment } from '../apis/experiment'; import { ApiPipeline, ApiGetTemplateResponse, ApiPipelineVersion } from '../apis/pipeline'; import { Apis } from '../lib/Apis'; import { Page } from './Page'; import { RoutePage, RouteParams, QUERY_PARAMS } from '../components/Router'; import { ToolbarProps } from '../components/Toolbar'; import { URLParser } from '../lib/URLParser'; import { Workflow } from '../../third_party/argo-ui/argo_template'; import { classes, stylesheet } from 'typestyle'; import Editor from '../components/Editor'; import { color, commonCss, padding, fontsize, fonts, zIndex } from '../Css'; import { logger, formatDateString } from '../lib/Utils'; import 'brace'; import 'brace/ext/language_tools'; import 'brace/mode/yaml'; import 'brace/theme/github'; import { Description } from '../components/Description'; import Select from '@material-ui/core/Select'; import FormControl from '@material-ui/core/FormControl'; import InputLabel from '@material-ui/core/InputLabel'; import MenuItem from '@material-ui/core/MenuItem'; interface PipelineDetailsState { graph: dagre.graphlib.Graph | null; pipeline: ApiPipeline | null; selectedNodeId: string; selectedNodeInfo: JSX.Element | null; selectedTab: number; selectedVersion?: ApiPipelineVersion; summaryShown: boolean; template?: Workflow; templateString?: string; versions: ApiPipelineVersion[]; } const summaryCardWidth = 500; export const css = stylesheet({ containerCss: { $nest: { '& .CodeMirror': { height: '100%', width: '80%', }, '& .CodeMirror-gutters': { backgroundColor: '#f7f7f7', }, }, background: '#f7f7f7', height: '100%', }, footer: { background: color.graphBg, display: 'flex', padding: '0 0 20px 20px', }, footerInfoOffset: { marginLeft: summaryCardWidth + 40, }, infoSpan: { color: color.lowContrast, fontFamily: fonts.secondary, fontSize: fontsize.small, letterSpacing: '0.21px', lineHeight: '24px', paddingLeft: 6, }, summaryCard: { bottom: 20, left: 20, padding: 10, position: 'absolute', width: summaryCardWidth, zIndex: zIndex.PIPELINE_SUMMARY_CARD, }, summaryKey: { color: color.strong, marginTop: 10, }, }); class PipelineDetails extends Page<{}, PipelineDetailsState> { constructor(props: any) { super(props); this.state = { graph: null, pipeline: null, selectedNodeId: '', selectedNodeInfo: null, selectedTab: 0, summaryShown: true, versions: [], }; } public getInitialToolbarState(): ToolbarProps { const buttons = new Buttons(this.props, this.refresh.bind(this)); const fromRunId = new URLParser(this.props).get(QUERY_PARAMS.fromRunId); const pipelineIdFromParams = this.props.match.params[RouteParams.pipelineId]; const pipelineVersionIdFromParams = this.props.match.params[RouteParams.pipelineVersionId]; buttons .newRunFromPipelineVersion( () => { return pipelineIdFromParams ? pipelineIdFromParams : ''; }, () => { return pipelineVersionIdFromParams ? pipelineVersionIdFromParams : ''; }, ) .newPipelineVersion('Upload version', () => pipelineIdFromParams ? pipelineIdFromParams : '', ); if (fromRunId) { return { actions: buttons.getToolbarActionMap(), breadcrumbs: [ { displayName: fromRunId, href: RoutePage.RUN_DETAILS.replace(':' + RouteParams.runId, fromRunId), }, ], pageTitle: 'Pipeline details', }; } else { // Add buttons for creating experiment and deleting pipeline version buttons .newExperiment(() => this.state.pipeline ? this.state.pipeline.id! : pipelineIdFromParams ? pipelineIdFromParams : '', ) .delete( () => (pipelineVersionIdFromParams ? [pipelineVersionIdFromParams] : []), 'pipeline version', this._deleteCallback.bind(this), true /* useCurrentResource */, ); return { actions: buttons.getToolbarActionMap(), breadcrumbs: [{ displayName: 'Pipelines', href: RoutePage.PIPELINES }], pageTitle: this.props.match.params[RouteParams.pipelineId], }; } } public render(): JSX.Element { const { pipeline, selectedNodeId, selectedTab, selectedVersion, summaryShown, templateString, versions, } = this.state; let selectedNodeInfo: StaticGraphParser.SelectedNodeInfo | null = null; if (this.state.graph && this.state.graph.node(selectedNodeId)) { selectedNodeInfo = this.state.graph.node(selectedNodeId).info; if (!!selectedNodeId && !selectedNodeInfo) { logger.error(`Node with ID: ${selectedNodeId} was not found in the graph`); } } return ( <div className={classes(commonCss.page, padding(20, 't'))}> <div className={commonCss.page}> <MD2Tabs selectedTab={selectedTab} onSwitch={(tab: number) => this.setStateSafe({ selectedTab: tab })} tabs={['Graph', 'YAML']} /> <div className={commonCss.page}> {selectedTab === 0 && ( <div className={commonCss.page}> {this.state.graph && ( <div className={commonCss.page} style={{ position: 'relative', overflow: 'hidden' }} > {!!pipeline && summaryShown && ( <Paper className={css.summaryCard}> <div style={{ alignItems: 'baseline', display: 'flex', justifyContent: 'space-between', }} > <div className={commonCss.header}>Summary</div> <Button onClick={() => this.setStateSafe({ summaryShown: false })} color='secondary' > Hide </Button> </div> <div className={css.summaryKey}>ID</div> <div>{pipeline.id || 'Unable to obtain Pipeline ID'}</div> {versions.length && ( <React.Fragment> <form autoComplete='off'> <FormControl> <InputLabel>Version</InputLabel> <Select value={ selectedVersion ? selectedVersion.id : pipeline.default_version!.id! } onChange={event => this.handleVersionSelected(event.target.value)} inputProps={{ id: 'version-selector', name: 'selectedVersion' }} > {versions.map((v, _) => ( <MenuItem key={v.id} value={v.id}> {v.name} </MenuItem> ))} </Select> </FormControl> </form> <div className={css.summaryKey}> <a href={this._createVersionUrl()} target='_blank' rel='noopener noreferrer' > Version source </a> </div> </React.Fragment> )} <div className={css.summaryKey}>Uploaded on</div> <div>{formatDateString(pipeline.created_at)}</div> <div className={css.summaryKey}>Description</div> <Description description={pipeline.description || ''} /> </Paper> )} <Graph graph={this.state.graph} selectedNodeId={selectedNodeId} onClick={id => this.setStateSafe({ selectedNodeId: id })} onError={(message, additionalInfo) => this.props.updateBanner({ message, additionalInfo, mode: 'error' }) } /> <SidePanel isOpen={!!selectedNodeId} title={selectedNodeId} onClose={() => this.setStateSafe({ selectedNodeId: '' })} > <div className={commonCss.page}> {!selectedNodeInfo && ( <div className={commonCss.absoluteCenter}> Unable to retrieve node info </div> )} {!!selectedNodeInfo && ( <div className={padding(20, 'lr')}> <StaticNodeDetails nodeInfo={selectedNodeInfo} /> </div> )} </div> </SidePanel> <div className={css.footer}> {!summaryShown && ( <Button onClick={() => this.setStateSafe({ summaryShown: !summaryShown })} color='secondary' > Show summary </Button> )} <div className={classes( commonCss.flex, summaryShown && !!pipeline && css.footerInfoOffset, )} > <InfoIcon className={commonCss.infoIcon} /> <span className={css.infoSpan}>Static pipeline graph</span> </div> </div> </div> )} {!this.state.graph && <span style={{ margin: '40px auto' }}>No graph to show</span>} </div> )} {selectedTab === 1 && !!templateString && ( <div className={css.containerCss}> <Editor value={templateString || ''} height='100%' width='100%' mode='yaml' theme='github' editorProps={{ $blockScrolling: true }} readOnly={true} highlightActiveLine={true} showGutter={true} /> </div> )} </div> </div> </div> ); } public async handleVersionSelected(versionId: string): Promise<void> { if (this.state.pipeline) { const selectedVersion = (this.state.versions || []).find(v => v.id === versionId); const selectedVersionPipelineTemplate = await this._getTemplateString( this.state.pipeline.id!, versionId, ); this.props.history.replace({ pathname: `/pipelines/details/${this.state.pipeline.id}/version/${versionId}`, }); this.setStateSafe({ graph: await this._createGraph(selectedVersionPipelineTemplate), selectedVersion, templateString: selectedVersionPipelineTemplate, }); } } public async refresh(): Promise<void> { return this.load(); } public async componentDidMount(): Promise<void> { return this.load(); } public async load(): Promise<void> { this.clearBanner(); const fromRunId = new URLParser(this.props).get(QUERY_PARAMS.fromRunId); let pipeline: ApiPipeline | null = null; let version: ApiPipelineVersion | null = null; let templateString = ''; let breadcrumbs: Array<{ displayName: string; href: string }> = []; const toolbarActions = this.props.toolbarProps.actions; let pageTitle = ''; let selectedVersion: ApiPipelineVersion | undefined; let versions: ApiPipelineVersion[] = []; // If fromRunId is specified, load the run and get the pipeline template from it if (fromRunId) { try { const runDetails = await Apis.runServiceApi.getRun(fromRunId); // Convert the run's pipeline spec to YAML to be displayed as the pipeline's source. try { const pipelineSpec = JSON.parse(RunUtils.getWorkflowManifest(runDetails.run) || '{}'); try { templateString = JsYaml.safeDump(pipelineSpec); } catch (err) { await this.showPageError( `Failed to parse pipeline spec from run with ID: ${runDetails.run!.id}.`, err, ); logger.error( `Failed to convert pipeline spec YAML from run with ID: ${runDetails.run!.id}.`, err, ); } } catch (err) { await this.showPageError( `Failed to parse pipeline spec from run with ID: ${runDetails.run!.id}.`, err, ); logger.error( `Failed to parse pipeline spec JSON from run with ID: ${runDetails.run!.id}.`, err, ); } const relatedExperimentId = RunUtils.getFirstExperimentReferenceId(runDetails.run); let experiment: ApiExperiment | undefined; if (relatedExperimentId) { experiment = await Apis.experimentServiceApi.getExperiment(relatedExperimentId); } // Build the breadcrumbs, by adding experiment and run names if (experiment) { breadcrumbs.push( { displayName: 'Experiments', href: RoutePage.EXPERIMENTS }, { displayName: experiment.name!, href: RoutePage.EXPERIMENT_DETAILS.replace( ':' + RouteParams.experimentId, experiment.id!, ), }, ); } else { breadcrumbs.push({ displayName: 'All runs', href: RoutePage.RUNS }); } breadcrumbs.push({ displayName: runDetails.run!.name!, href: RoutePage.RUN_DETAILS.replace(':' + RouteParams.runId, fromRunId), }); pageTitle = 'Pipeline details'; } catch (err) { await this.showPageError('Cannot retrieve run details.', err); logger.error('Cannot retrieve run details.', err); } } else { // if fromRunId is not specified, then we have a full pipeline const pipelineId = this.props.match.params[RouteParams.pipelineId]; try { pipeline = await Apis.pipelineServiceApi.getPipeline(pipelineId); } catch (err) { await this.showPageError('Cannot retrieve pipeline details.', err); logger.error('Cannot retrieve pipeline details.', err); return; } const versionId = this.props.match.params[RouteParams.pipelineVersionId]; try { // TODO(rjbauer): it's possible we might not have a version, even default if (versionId) { version = await Apis.pipelineServiceApi.getPipelineVersion(versionId); } } catch (err) { await this.showPageError('Cannot retrieve pipeline version.', err); logger.error('Cannot retrieve pipeline version.', err); return; } selectedVersion = versionId ? version! : pipeline.default_version; if (!selectedVersion) { // An empty pipeline, which doesn't have any version. pageTitle = pipeline.name!; const actions = this.props.toolbarProps.actions; actions[ButtonKeys.DELETE_RUN].disabled = true; this.props.updateToolbar({ actions }); } else { // Fetch manifest for the selected version under this pipeline. pageTitle = pipeline.name!.concat(' (', selectedVersion!.name!, ')'); try { // TODO(jingzhang36): pagination not proper here. so if many versions, // the page size value should be? versions = ( await Apis.pipelineServiceApi.listPipelineVersions( 'PIPELINE', pipelineId, 50, undefined, 'created_at desc', ) ).versions || []; } catch (err) { await this.showPageError('Cannot retrieve pipeline versions.', err); logger.error('Cannot retrieve pipeline versions.', err); return; } templateString = await this._getTemplateString(pipelineId, versionId); } breadcrumbs = [{ displayName: 'Pipelines', href: RoutePage.PIPELINES }]; } this.props.updateToolbar({ breadcrumbs, actions: toolbarActions, pageTitle }); this.setStateSafe({ graph: await this._createGraph(templateString), pipeline, selectedVersion, templateString, versions, }); } private async _getTemplateString(pipelineId: string, versionId: string): Promise<string> { try { let templateResponse: ApiGetTemplateResponse; if (versionId) { templateResponse = await Apis.pipelineServiceApi.getPipelineVersionTemplate(versionId); } else { templateResponse = await Apis.pipelineServiceApi.getTemplate(pipelineId); } return templateResponse.template || ''; } catch (err) { await this.showPageError('Cannot retrieve pipeline template.', err); logger.error('Cannot retrieve pipeline details.', err); } return ''; } private async _createGraph(templateString: string): Promise<dagre.graphlib.Graph | null> { if (templateString) { try { const template = JsYaml.safeLoad(templateString); return StaticGraphParser.createGraph(template!); } catch (err) { await this.showPageError('Error: failed to generate Pipeline graph.', err); } } return null; } private _createVersionUrl(): string { return this.state.selectedVersion!.code_source_url!; } private _deleteCallback(_: string[], success: boolean): void { if (success) { const breadcrumbs = this.props.toolbarProps.breadcrumbs; const previousPage = breadcrumbs.length ? breadcrumbs[breadcrumbs.length - 1].href : RoutePage.PIPELINES; this.props.history.push(previousPage); } } } export default PipelineDetails;
7,814
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/NewPipelineVersion.tsx
/* * Copyright 2019 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import BusyButton from '../atoms/BusyButton'; import Button from '@material-ui/core/Button'; import Buttons from '../lib/Buttons'; import Dropzone from 'react-dropzone'; import Input from '../atoms/Input'; import { Page } from './Page'; import { RoutePage, QUERY_PARAMS, RouteParams } from '../components/Router'; import { TextFieldProps } from '@material-ui/core/TextField'; import { ToolbarProps } from '../components/Toolbar'; import { URLParser } from '../lib/URLParser'; import { classes, stylesheet } from 'typestyle'; import { commonCss, padding, color, fontsize, zIndex } from '../Css'; import { logger, errorToMessage } from '../lib/Utils'; import ResourceSelector from './ResourceSelector'; import InputAdornment from '@material-ui/core/InputAdornment'; import Dialog from '@material-ui/core/Dialog'; import DialogActions from '@material-ui/core/DialogActions'; import DialogContent from '@material-ui/core/DialogContent'; import { ApiResourceType } from '../apis/run'; import { Apis, PipelineSortKeys } from '../lib/Apis'; import { ApiPipeline, ApiPipelineVersion } from '../apis/pipeline'; import { CustomRendererProps } from '../components/CustomTable'; import { Description } from '../components/Description'; import FormControlLabel from '@material-ui/core/FormControlLabel'; import Radio from '@material-ui/core/Radio'; import { ExternalLink } from '../atoms/ExternalLink'; interface NewPipelineVersionState { validationError: string; isbeingCreated: boolean; errorMessage: string; pipelineDescription: string; pipelineId?: string; pipelineName?: string; pipelineVersionName: string; pipeline?: ApiPipeline; codeSourceUrl: string; // Package can be local file or url importMethod: ImportMethod; fileName: string; file: File | null; packageUrl: string; dropzoneActive: boolean; // Create a new pipeline or not newPipeline: boolean; // Select existing pipeline pipelineSelectorOpen: boolean; unconfirmedSelectedPipeline?: ApiPipeline; } export enum ImportMethod { LOCAL = 'local', URL = 'url', } const css = stylesheet({ dropOverlay: { backgroundColor: color.lightGrey, border: '2px dashed #aaa', bottom: 0, left: 0, padding: '2.5em 0', position: 'absolute', right: 0, textAlign: 'center', top: 0, zIndex: zIndex.DROP_ZONE_OVERLAY, }, errorMessage: { color: 'red', }, explanation: { fontSize: fontsize.small, }, nonEditableInput: { color: color.secondaryText, }, selectorDialog: { // If screen is small, use calc(100% - 120px). If screen is big, use 1200px. maxWidth: 1200, // override default maxWidth to expand this dialog further minWidth: 680, width: 'calc(100% - 120px)', }, }); const descriptionCustomRenderer: React.FC<CustomRendererProps<string>> = props => { return <Description description={props.value || ''} forceInline={true} />; }; class NewPipelineVersion extends Page<{}, NewPipelineVersionState> { private _dropzoneRef = React.createRef<Dropzone & HTMLDivElement>(); private _pipelineVersionNameRef = React.createRef<HTMLInputElement>(); private _pipelineNameRef = React.createRef<HTMLInputElement>(); private _pipelineDescriptionRef = React.createRef<HTMLInputElement>(); private pipelineSelectorColumns = [ { label: 'Pipeline name', flex: 1, sortKey: PipelineSortKeys.NAME }, { label: 'Description', flex: 2, customRenderer: descriptionCustomRenderer }, { label: 'Uploaded on', flex: 1, sortKey: PipelineSortKeys.CREATED_AT }, ]; constructor(props: any) { super(props); const urlParser = new URLParser(props); const pipelineId = urlParser.get(QUERY_PARAMS.pipelineId); this.state = { codeSourceUrl: '', dropzoneActive: false, errorMessage: '', file: null, fileName: '', importMethod: ImportMethod.URL, isbeingCreated: false, newPipeline: pipelineId ? false : true, packageUrl: '', pipelineDescription: '', pipelineId: '', pipelineName: '', pipelineSelectorOpen: false, pipelineVersionName: '', validationError: '', }; } public getInitialToolbarState(): ToolbarProps { return { actions: {}, breadcrumbs: [{ displayName: 'Pipeline Versions', href: RoutePage.NEW_PIPELINE_VERSION }], pageTitle: 'Upload Pipeline or Pipeline Version', }; } public render(): JSX.Element { const { packageUrl, pipelineName, pipelineVersionName, isbeingCreated, validationError, pipelineSelectorOpen, unconfirmedSelectedPipeline, codeSourceUrl, importMethod, newPipeline, pipelineDescription, fileName, dropzoneActive, } = this.state; const buttons = new Buttons(this.props, this.refresh.bind(this)); return ( <div className={classes(commonCss.page, padding(20, 'lr'))}> <div className={classes(commonCss.scrollContainer, padding(20, 'lr'))}> {/* Two subpages: one for creating version under existing pipeline and one for creating version under new pipeline */} <div className={classes(commonCss.flex, padding(10, 'b'))}> <FormControlLabel id='createNewPipelineBtn' label='Create a new pipeline' checked={newPipeline === true} control={<Radio color='primary' />} onChange={() => this.setState({ codeSourceUrl: '', newPipeline: true, pipelineDescription: '', pipelineName: '', pipelineVersionName: '', }) } /> <FormControlLabel id='createPipelineVersionUnderExistingPipelineBtn' label='Create a new pipeline version under an existing pipeline' checked={newPipeline === false} control={<Radio color='primary' />} onChange={() => this.setState({ codeSourceUrl: '', newPipeline: false, pipelineDescription: '', pipelineName: '', pipelineVersionName: '', }) } /> </div> {/* Pipeline name and help text for uploading new pipeline */} {newPipeline === true && ( <> <div className={css.explanation}>Upload pipeline with the specified package.</div> <Input id='newPipelineName' value={pipelineName} required={true} label='Pipeline Name' variant='outlined' inputRef={this._pipelineNameRef} onChange={this.handleChange('pipelineName')} autoFocus={true} /> <Input id='pipelineDescription' value={pipelineDescription} required={true} label='Pipeline Description' variant='outlined' inputRef={this._pipelineDescriptionRef} onChange={this.handleChange('pipelineDescription')} autoFocus={true} /> {/* Choose a local file for package or specify a url for package */} </> )} {/* Pipeline selector and help text for uploading new pipeline version */} {newPipeline === false && ( <> <div className={css.explanation}> Upload pipeline version with the specified package. </div> {/* Select pipeline */} <Input value={pipelineName} required={true} label='Pipeline' disabled={true} variant='outlined' inputRef={this._pipelineNameRef} onChange={this.handleChange('pipelineName')} autoFocus={true} InputProps={{ classes: { disabled: css.nonEditableInput }, endAdornment: ( <InputAdornment position='end'> <Button color='secondary' id='choosePipelineBtn' onClick={() => this.setStateSafe({ pipelineSelectorOpen: true })} style={{ padding: '3px 5px', margin: 0 }} > Choose </Button> </InputAdornment> ), readOnly: true, }} /> <Dialog open={pipelineSelectorOpen} classes={{ paper: css.selectorDialog }} onClose={() => this._pipelineSelectorClosed(false)} PaperProps={{ id: 'pipelineSelectorDialog' }} > <DialogContent> <ResourceSelector {...this.props} title='Choose a pipeline' filterLabel='Filter pipelines' listApi={async (...args) => { const response = await Apis.pipelineServiceApi.listPipelines(...args); return { nextPageToken: response.next_page_token || '', resources: response.pipelines || [], }; }} columns={this.pipelineSelectorColumns} emptyMessage='No pipelines found. Upload a pipeline and then try again.' initialSortColumn={PipelineSortKeys.CREATED_AT} selectionChanged={(selectedPipeline: ApiPipeline) => this.setStateSafe({ unconfirmedSelectedPipeline: selectedPipeline }) } toolbarActionMap={buttons .upload(() => this.setStateSafe({ pipelineSelectorOpen: false })) .getToolbarActionMap()} /> </DialogContent> <DialogActions> <Button id='cancelPipelineSelectionBtn' onClick={() => this._pipelineSelectorClosed(false)} color='secondary' > Cancel </Button> <Button id='usePipelineBtn' onClick={() => this._pipelineSelectorClosed(true)} color='secondary' disabled={!unconfirmedSelectedPipeline} > Use this pipeline </Button> </DialogActions> </Dialog> {/* Set pipeline version name */} <Input id='pipelineVersionName' label='Pipeline Version name' inputRef={this._pipelineVersionNameRef} required={true} onChange={this.handleChange('pipelineVersionName')} value={pipelineVersionName} autoFocus={true} variant='outlined' /> </> )} {/* Different package explanation based on import method*/} {this.state.importMethod === ImportMethod.LOCAL && ( <> <div className={padding(10, 'b')}> Choose a pipeline package file from your computer, and give the pipeline a unique name. <br /> You can also drag and drop the file here. </div> <DocumentationCompilePipeline /> </> )} {this.state.importMethod === ImportMethod.URL && ( <> <div className={padding(10, 'b')}>URL must be publicly accessible.</div> <DocumentationCompilePipeline /> </> )} {/* Different package input field based on import method*/} <div className={classes(commonCss.flex, padding(10, 'b'))}> <FormControlLabel id='localPackageBtn' label='Upload a file' checked={importMethod === ImportMethod.LOCAL} control={<Radio color='primary' />} onChange={() => this.setState({ importMethod: ImportMethod.LOCAL })} /> <Dropzone id='dropZone' disableClick={true} onDrop={this._onDrop.bind(this)} onDragEnter={this._onDropzoneDragEnter.bind(this)} onDragLeave={this._onDropzoneDragLeave.bind(this)} style={{ position: 'relative' }} ref={this._dropzoneRef} inputProps={{ tabIndex: -1 }} disabled={importMethod === ImportMethod.URL} > {dropzoneActive && <div className={css.dropOverlay}>Drop files..</div>} <Input onChange={this.handleChange('fileName')} value={fileName} required={true} label='File' variant='outlined' disabled={importMethod === ImportMethod.URL} // Find a better to align this input box with others InputProps={{ endAdornment: ( <InputAdornment position='end'> <Button color='secondary' onClick={() => this._dropzoneRef.current!.open()} style={{ padding: '3px 5px', margin: 0, whiteSpace: 'nowrap' }} disabled={importMethod === ImportMethod.URL} > Choose file </Button> </InputAdornment> ), readOnly: true, style: { maxWidth: 2000, width: 455, }, }} /> </Dropzone> </div> <div className={classes(commonCss.flex, padding(10, 'b'))}> <FormControlLabel id='remotePackageBtn' label='Import by url' checked={importMethod === ImportMethod.URL} control={<Radio color='primary' />} onChange={() => this.setState({ importMethod: ImportMethod.URL })} /> <Input id='pipelinePackageUrl' label='Package Url' multiline={true} onChange={this.handleChange('packageUrl')} value={packageUrl} variant='outlined' disabled={importMethod === ImportMethod.LOCAL} // Find a better to align this input box with others style={{ maxWidth: 2000, width: 465, }} /> </div> {/* Fill pipeline version code source url */} <Input id='pipelineVersionCodeSource' label='Code Source (optional)' multiline={true} onChange={this.handleChange('codeSourceUrl')} value={codeSourceUrl} variant='outlined' /> {/* Create pipeline or pipeline version */} <div className={commonCss.flex}> <BusyButton id='createNewPipelineOrVersionBtn' disabled={!!validationError} busy={isbeingCreated} className={commonCss.buttonAction} title={'Create'} onClick={this._create.bind(this)} /> <Button id='cancelNewPipelineOrVersionBtn' onClick={() => this.props.history.push(RoutePage.PIPELINES)} > Cancel </Button> <div className={css.errorMessage}>{validationError}</div> </div> </div> </div> ); } public async refresh(): Promise<void> { return; } public async componentDidMount(): Promise<void> { const urlParser = new URLParser(this.props); const pipelineId = urlParser.get(QUERY_PARAMS.pipelineId); if (pipelineId) { const apiPipeline = await Apis.pipelineServiceApi.getPipeline(pipelineId); this.setState({ pipelineId, pipelineName: apiPipeline.name, pipeline: apiPipeline }); // Suggest a version name based on pipeline name const currDate = new Date(); this.setState({ pipelineVersionName: apiPipeline.name + '_version_at_' + currDate.toISOString(), }); } this._validate(); } public handleChange = (name: string) => (event: any) => { const value = (event.target as TextFieldProps).value; this.setState({ [name]: value } as any, this._validate.bind(this)); // When pipeline name is changed, we have some special logic if (name === 'pipelineName') { // Suggest a version name based on pipeline name const currDate = new Date(); this.setState( { pipelineVersionName: value + '_version_at_' + currDate.toISOString() }, this._validate.bind(this), ); } }; protected async _pipelineSelectorClosed(confirmed: boolean): Promise<void> { let { pipeline } = this.state; const currDate = new Date(); if (confirmed && this.state.unconfirmedSelectedPipeline) { pipeline = this.state.unconfirmedSelectedPipeline; } this.setStateSafe( { pipeline, pipelineId: (pipeline && pipeline.id) || '', pipelineName: (pipeline && pipeline.name) || '', pipelineSelectorOpen: false, // Suggest a version name based on pipeline name pipelineVersionName: (pipeline && pipeline.name + '_version_at_' + currDate.toISOString()) || '', }, () => this._validate(), ); } // To call _onDrop from test, so make a protected method protected _onDropForTest(files: File[]): void { this._onDrop(files); } private async _create(): Promise<void> { this.setState({ isbeingCreated: true }, async () => { try { // 3 use case for now: // (1) new pipeline (and a default version) from local file // (2) new pipeline (and a default version) from url // (3) new pipeline version (under an existing pipeline) from url const response = this.state.newPipeline && this.state.importMethod === ImportMethod.LOCAL ? ( await Apis.uploadPipeline( this.state.pipelineName!, this.state.pipelineDescription, this.state.file!, ) ).default_version! : this.state.newPipeline && this.state.importMethod === ImportMethod.URL ? ( await Apis.pipelineServiceApi.createPipeline({ description: this.state.pipelineDescription, name: this.state.pipelineName!, url: { pipeline_url: this.state.packageUrl }, }) ).default_version! : await this._createPipelineVersion(); // If success, go to pipeline details page of the new version this.props.history.push( RoutePage.PIPELINE_DETAILS.replace( `:${RouteParams.pipelineId}`, response.resource_references![0].key!.id! /* pipeline id of this version */, ).replace(`:${RouteParams.pipelineVersionId}`, response.id!), ); this.props.updateSnackbar({ autoHideDuration: 10000, message: `Successfully created new pipeline version: ${response.name}`, open: true, }); } catch (err) { const errorMessage = await errorToMessage(err); await this.showErrorDialog('Pipeline version creation failed', errorMessage); logger.error('Error creating pipeline version:', err); this.setState({ isbeingCreated: false }); } }); } private async _createPipelineVersion(): Promise<ApiPipelineVersion> { const getPipelineId = async () => { if (this.state.pipelineId) { // Get existing pipeline's id. return this.state.pipelineId; } else { // Get the new pipeline's id. // The new pipeline version is going to be put under this new pipeline // instead of an eixsting pipeline. So create this new pipeline first. const newPipeline: ApiPipeline = { description: this.state.pipelineDescription, name: this.state.pipelineName, url: { pipeline_url: this.state.packageUrl }, }; const response = await Apis.pipelineServiceApi.createPipeline(newPipeline); return response.id!; } }; if (this.state.importMethod === ImportMethod.LOCAL) { if (!this.state.file) { throw new Error('File should be selected'); } return Apis.uploadPipelineVersion( this.state.pipelineVersionName, await getPipelineId(), this.state.file, ); } else { // this.state.importMethod === ImportMethod.URL return Apis.pipelineServiceApi.createPipelineVersion({ code_source_url: this.state.codeSourceUrl, name: this.state.pipelineVersionName, package_url: { pipeline_url: this.state.packageUrl }, resource_references: [ { key: { id: await getPipelineId(), type: ApiResourceType.PIPELINE }, relationship: 1 }, ], }); } } private _validate(): void { // Validate state // 3 valid use case for now: // (1) new pipeline (and a default version) from local file // (2) new pipeline (and a default version) from url // (3) new pipeline version (under an existing pipeline) from url const { fileName, pipeline, pipelineVersionName, packageUrl, newPipeline } = this.state; try { if (newPipeline) { if (!packageUrl && !fileName) { throw new Error('Must specify either package url or file in .yaml, .zip, or .tar.gz'); } } else { if (!pipeline) { throw new Error('Pipeline is required'); } if (!pipelineVersionName) { throw new Error('Pipeline version name is required'); } if (!packageUrl && !fileName) { throw new Error('Please specify either package url or file in .yaml, .zip, or .tar.gz'); } } this.setState({ validationError: '' }); } catch (err) { this.setState({ validationError: err.message }); } } private _onDropzoneDragEnter(): void { this.setState({ dropzoneActive: true }); } private _onDropzoneDragLeave(): void { this.setState({ dropzoneActive: false }); } private _onDrop(files: File[]): void { this.setStateSafe( { dropzoneActive: false, file: files[0], fileName: files[0].name, pipelineName: this.state.pipelineName || files[0].name.split('.')[0], }, () => { this._validate(); }, ); } } export default NewPipelineVersion; const DocumentationCompilePipeline: React.FC = () => ( <div className={padding(10, 'b')}> For expected file format, refer to{' '} <ExternalLink href='https://www.kubeflow.org/docs/pipelines/sdk/build-component/#compile-the-pipeline'> Compile Pipeline Documentation </ExternalLink> . </div> );
7,815
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/ExecutionDetails.tsx
/* * Copyright 2019 Google LLC * * Licensed under the Apache License, Version 2.0 (the 'License'); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an 'AS IS' BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import { Api, ArtifactCustomProperties, ArtifactProperties, ArtifactType, Event, Execution, ExecutionCustomProperties, ExecutionProperties, GetArtifactsByIDRequest, GetExecutionsByIDRequest, GetEventsByExecutionIDsRequest, GetEventsByExecutionIDsResponse, getArtifactTypes, getResourceProperty, logger, ExecutionType, } from '@kubeflow/frontend'; import { CircularProgress } from '@material-ui/core'; import React, { Component } from 'react'; import { Link } from 'react-router-dom'; import { classes, stylesheet } from 'typestyle'; import { Page, PageErrorHandler } from './Page'; import { ToolbarProps } from '../components/Toolbar'; import { RoutePage, RouteParams, RoutePageFactory } from '../components/Router'; import { commonCss, padding } from '../Css'; import { ResourceInfo, ResourceType } from '../components/ResourceInfo'; import { serviceErrorToString } from '../lib/Utils'; import { GetExecutionTypesByIDRequest } from '@kubeflow/frontend/src/mlmd/generated/ml_metadata/proto/metadata_store_service_pb'; type ArtifactIdList = number[]; interface ExecutionDetailsState { execution?: Execution; executionType?: ExecutionType; events?: Record<Event.Type, ArtifactIdList>; artifactTypeMap?: Map<number, ArtifactType>; } export default class ExecutionDetails extends Page<{}, ExecutionDetailsState> { public state: ExecutionDetailsState = {}; private get id(): number { return parseInt(this.props.match.params[RouteParams.ID], 10); } public render(): JSX.Element { return ( <div className={classes(commonCss.page, padding(20, 'lr'))}> <ExecutionDetailsContent key={this.id} id={this.id} onError={this.showPageError.bind(this)} onTitleUpdate={title => this.props.updateToolbar({ pageTitle: title, }) } /> </div> ); } public getInitialToolbarState(): ToolbarProps { return { actions: {}, breadcrumbs: [{ displayName: 'Executions', href: RoutePage.EXECUTIONS }], pageTitle: `${this.id} details`, }; } public async refresh(): Promise<void> { // do nothing } } interface ExecutionDetailsContentProps { id: number; onError: PageErrorHandler; onTitleUpdate: (title: string) => void; } export class ExecutionDetailsContent extends Component< ExecutionDetailsContentProps, ExecutionDetailsState > { public state: ExecutionDetailsState = {}; private get fullTypeName(): string { return this.state.executionType?.getName() || ''; } public async componentDidMount(): Promise<void> { return this.load(); } public render(): JSX.Element { if (!this.state.execution || !this.state.events) { return <CircularProgress />; } return ( <div> { <ResourceInfo resourceType={ResourceType.EXECUTION} typeName={this.fullTypeName} resource={this.state.execution} /> } <SectionIO title={'Declared Inputs'} artifactIds={this.state.events[Event.Type.DECLARED_INPUT]} artifactTypeMap={this.state.artifactTypeMap} /> <SectionIO title={'Inputs'} artifactIds={this.state.events[Event.Type.INPUT]} artifactTypeMap={this.state.artifactTypeMap} /> <SectionIO title={'Declared Outputs'} artifactIds={this.state.events[Event.Type.DECLARED_OUTPUT]} artifactTypeMap={this.state.artifactTypeMap} /> <SectionIO title={'Outputs'} artifactIds={this.state.events[Event.Type.OUTPUT]} artifactTypeMap={this.state.artifactTypeMap} /> </div> ); } public getInitialToolbarState(): ToolbarProps { return { actions: {}, breadcrumbs: [{ displayName: 'Executions', href: RoutePage.EXECUTIONS }], pageTitle: `Execution #${this.props.id} details`, }; } private refresh = async (): Promise<void> => { await this.load(); }; private load = async (): Promise<void> => { const metadataStoreServiceClient = Api.getInstance().metadataStoreService; // this runs parallelly because it's not a critical resource getArtifactTypes(metadataStoreServiceClient) .then(artifactTypeMap => { this.setState({ artifactTypeMap, }); }) .catch(err => { this.props.onError('Failed to fetch artifact types', err, 'warning', this.refresh); }); const numberId = this.props.id; if (isNaN(numberId) || numberId < 0) { const error = new Error(`Invalid execution id: ${this.props.id}`); this.props.onError(error.message, error, 'error', this.refresh); return; } const getExecutionsRequest = new GetExecutionsByIDRequest(); getExecutionsRequest.setExecutionIdsList([numberId]); const getEventsRequest = new GetEventsByExecutionIDsRequest(); getEventsRequest.setExecutionIdsList([numberId]); try { const [executionResponse, eventResponse] = await Promise.all([ metadataStoreServiceClient.getExecutionsByID(getExecutionsRequest), metadataStoreServiceClient.getEventsByExecutionIDs(getEventsRequest), ]); if (!executionResponse.getExecutionsList().length) { this.props.onError( `No execution identified by id: ${this.props.id}`, undefined, 'error', this.refresh, ); return; } if (executionResponse.getExecutionsList().length > 1) { this.props.onError( `Found multiple executions with ID: ${this.props.id}`, undefined, 'error', this.refresh, ); return; } const execution = executionResponse.getExecutionsList()[0]; const executionName = getResourceProperty(execution, ExecutionProperties.COMPONENT_ID) || getResourceProperty(execution, ExecutionCustomProperties.TASK_ID, true); this.props.onTitleUpdate(executionName ? executionName.toString() : ''); const typeRequest = new GetExecutionTypesByIDRequest(); typeRequest.setTypeIdsList([execution.getTypeId()]); const typeResponse = await metadataStoreServiceClient.getExecutionTypesByID(typeRequest); const types = typeResponse.getExecutionTypesList(); let executionType: ExecutionType | undefined; if (!types || types.length === 0) { this.props.onError( `Cannot find execution type with id: ${execution.getTypeId()}`, undefined, 'error', this.refresh, ); return; } else if (types.length > 1) { this.props.onError( `More than one execution type found with id: ${execution.getTypeId()}`, undefined, 'error', this.refresh, ); return; } else { executionType = types[0]; } const events = parseEventsByType(eventResponse); this.setState({ events, execution, executionType, }); } catch (err) { this.props.onError(serviceErrorToString(err), err, 'error', this.refresh); } }; } function parseEventsByType( response: GetEventsByExecutionIDsResponse | null, ): Record<Event.Type, ArtifactIdList> { const events: Record<Event.Type, ArtifactIdList> = { [Event.Type.UNKNOWN]: [], [Event.Type.DECLARED_INPUT]: [], [Event.Type.INPUT]: [], [Event.Type.DECLARED_OUTPUT]: [], [Event.Type.OUTPUT]: [], [Event.Type.INTERNAL_INPUT]: [], [Event.Type.INTERNAL_OUTPUT]: [], }; if (!response) { return events; } response.getEventsList().forEach(event => { const type = event.getType(); const id = event.getArtifactId(); if (type != null && id != null) { events[type].push(id); } }); return events; } interface ArtifactInfo { id: number; name: string; typeId?: number; uri: string; } interface SectionIOProps { title: string; artifactIds: number[]; artifactTypeMap?: Map<number, ArtifactType>; } class SectionIO extends Component< SectionIOProps, { artifactDataMap: { [id: number]: ArtifactInfo } } > { constructor(props: any) { super(props); this.state = { artifactDataMap: {}, }; } public async componentDidMount(): Promise<void> { // loads extra metadata about artifacts const request = new GetArtifactsByIDRequest(); request.setArtifactIdsList(this.props.artifactIds); try { const response = await Api.getInstance().metadataStoreService.getArtifactsByID(request); const artifactDataMap = {}; response.getArtifactsList().forEach(artifact => { const id = artifact.getId(); if (!id) { logger.error('Artifact has empty id', artifact.toObject()); return; } artifactDataMap[id] = { id, name: (getResourceProperty(artifact, ArtifactProperties.NAME) || getResourceProperty(artifact, ArtifactCustomProperties.NAME, true) || '') as string, // TODO: assert name is string typeId: artifact.getTypeId(), uri: artifact.getUri() || '', }; }); this.setState({ artifactDataMap, }); } catch (err) { return; } } public render(): JSX.Element | null { const { title, artifactIds } = this.props; if (artifactIds.length === 0) { return null; } return ( <section> <h2 className={commonCss.header2}>{title}</h2> <table> <thead> <tr> <th className={css.tableCell}>Artifact ID</th> <th className={css.tableCell}>Name</th> <th className={css.tableCell}>Type</th> <th className={css.tableCell}>URI</th> </tr> </thead> <tbody> {artifactIds.map(id => { const data = this.state.artifactDataMap[id] || {}; const type = this.props.artifactTypeMap && data.typeId ? this.props.artifactTypeMap.get(data.typeId) : null; return ( <ArtifactRow key={id} id={id} name={data.name || ''} type={type ? type.getName() : undefined} uri={data.uri} /> ); })} </tbody> </table> </section> ); } } // tslint:disable-next-line:variable-name const ArtifactRow: React.FC<{ id: number; name: string; type?: string; uri: string }> = ({ id, name, type, uri, }) => ( <tr> <td className={css.tableCell}> {id ? ( <Link className={commonCss.link} to={RoutePageFactory.artifactDetails(id)}> {id} </Link> ) : ( id )} </td> <td className={css.tableCell}> {id ? ( <Link className={commonCss.link} to={RoutePageFactory.artifactDetails(id)}> {name} </Link> ) : ( name )} </td> <td className={css.tableCell}>{type}</td> <td className={css.tableCell}>{uri}</td> </tr> ); const css = stylesheet({ tableCell: { padding: 6, textAlign: 'left', }, });
7,816
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/PipelineList.test.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import PipelineList from './PipelineList'; import TestUtils from '../TestUtils'; import { Apis } from '../lib/Apis'; import { PageProps } from './Page'; import { RoutePage, RouteParams } from '../components/Router'; import { shallow, ReactWrapper, ShallowWrapper } from 'enzyme'; import { range } from 'lodash'; import { ButtonKeys } from '../lib/Buttons'; describe('PipelineList', () => { let tree: ReactWrapper | ShallowWrapper; let updateBannerSpy: jest.Mock<{}>; let updateDialogSpy: jest.Mock<{}>; let updateSnackbarSpy: jest.Mock<{}>; let updateToolbarSpy: jest.Mock<{}>; let listPipelinesSpy: jest.SpyInstance<{}>; let listPipelineVersionsSpy: jest.SpyInstance<{}>; let deletePipelineSpy: jest.SpyInstance<{}>; let deletePipelineVersionSpy: jest.SpyInstance<{}>; function spyInit() { updateBannerSpy = jest.fn(); updateDialogSpy = jest.fn(); updateSnackbarSpy = jest.fn(); updateToolbarSpy = jest.fn(); listPipelinesSpy = jest.spyOn(Apis.pipelineServiceApi, 'listPipelines'); listPipelineVersionsSpy = jest.spyOn(Apis.pipelineServiceApi, 'listPipelineVersions'); deletePipelineSpy = jest.spyOn(Apis.pipelineServiceApi, 'deletePipeline'); deletePipelineVersionSpy = jest.spyOn(Apis.pipelineServiceApi, 'deletePipelineVersion'); } function generateProps(): PageProps { return TestUtils.generatePageProps( PipelineList, '' as any, '' as any, null, updateBannerSpy, updateDialogSpy, updateToolbarSpy, updateSnackbarSpy, ); } async function mountWithNPipelines(n: number): Promise<ReactWrapper> { listPipelinesSpy.mockImplementation(() => ({ pipelines: range(n).map(i => ({ id: 'test-pipeline-id' + i, name: 'test pipeline name' + i, defaultVersion: { id: 'test-pipeline-id' + i + '_default_version', name: 'test-pipeline-id' + i + '_default_version_name', }, })), })); tree = TestUtils.mountWithRouter(<PipelineList {...generateProps()} />); await listPipelinesSpy; await TestUtils.flushPromises(); tree.update(); // Make sure the tree is updated before returning it return tree; } beforeEach(() => { spyInit(); jest.clearAllMocks(); }); afterEach(async () => { // unmount() should be called before resetAllMocks() in case any part of the unmount life cycle // depends on mocks/spies await tree.unmount(); jest.restoreAllMocks(); }); it('renders an empty list with empty state message', () => { tree = shallow(<PipelineList {...generateProps()} />); expect(tree).toMatchSnapshot(); }); it('renders a list of one pipeline', async () => { tree = shallow(<PipelineList {...generateProps()} />); tree.setState({ displayPipelines: [ { created_at: new Date(2018, 8, 22, 11, 5, 48), description: 'test pipeline description', name: 'pipeline1', parameters: [], }, ], }); await listPipelinesSpy; expect(tree).toMatchSnapshot(); }); it('renders a list of one pipeline with no description or created date', async () => { tree = shallow(<PipelineList {...generateProps()} />); tree.setState({ displayPipelines: [ { name: 'pipeline1', parameters: [], }, ], }); await listPipelinesSpy; expect(tree).toMatchSnapshot(); }); it('renders a list of one pipeline with error', async () => { tree = shallow(<PipelineList {...generateProps()} />); tree.setState({ displayPipelines: [ { created_at: new Date(2018, 8, 22, 11, 5, 48), description: 'test pipeline description', error: 'oops! could not load pipeline', name: 'pipeline1', parameters: [], }, ], }); await listPipelinesSpy; expect(tree).toMatchSnapshot(); }); it('calls Apis to list pipelines, sorted by creation time in descending order', async () => { listPipelinesSpy.mockImplementationOnce(() => ({ pipelines: [{ name: 'pipeline1' }] })); tree = TestUtils.mountWithRouter(<PipelineList {...generateProps()} />); await listPipelinesSpy; expect(listPipelinesSpy).toHaveBeenLastCalledWith('', 10, 'created_at desc', ''); expect(tree.state()).toHaveProperty('displayPipelines', [ { expandState: 0, name: 'pipeline1' }, ]); }); it('has a Refresh button, clicking it refreshes the pipeline list', async () => { tree = await mountWithNPipelines(1); const instance = tree.instance() as PipelineList; expect(listPipelinesSpy.mock.calls.length).toBe(1); const refreshBtn = instance.getInitialToolbarState().actions[ButtonKeys.REFRESH]; expect(refreshBtn).toBeDefined(); await refreshBtn!.action(); expect(listPipelinesSpy.mock.calls.length).toBe(2); expect(listPipelinesSpy).toHaveBeenLastCalledWith('', 10, 'created_at desc', ''); expect(updateBannerSpy).toHaveBeenLastCalledWith({}); }); it('shows error banner when listing pipelines fails', async () => { TestUtils.makeErrorResponseOnce(listPipelinesSpy, 'bad stuff happened'); tree = TestUtils.mountWithRouter(<PipelineList {...generateProps()} />); await listPipelinesSpy; await TestUtils.flushPromises(); expect(updateBannerSpy).toHaveBeenLastCalledWith( expect.objectContaining({ additionalInfo: 'bad stuff happened', message: 'Error: failed to retrieve list of pipelines. Click Details for more information.', mode: 'error', }), ); }); it('shows error banner when listing pipelines fails after refresh', async () => { tree = TestUtils.mountWithRouter(<PipelineList {...generateProps()} />); const instance = tree.instance() as PipelineList; const refreshBtn = instance.getInitialToolbarState().actions[ButtonKeys.REFRESH]; expect(refreshBtn).toBeDefined(); TestUtils.makeErrorResponseOnce(listPipelinesSpy, 'bad stuff happened'); await refreshBtn!.action(); expect(listPipelinesSpy.mock.calls.length).toBe(2); expect(listPipelinesSpy).toHaveBeenLastCalledWith('', 10, 'created_at desc', ''); expect(updateBannerSpy).toHaveBeenLastCalledWith( expect.objectContaining({ additionalInfo: 'bad stuff happened', message: 'Error: failed to retrieve list of pipelines. Click Details for more information.', mode: 'error', }), ); }); it('hides error banner when listing pipelines fails then succeeds', async () => { TestUtils.makeErrorResponseOnce(listPipelinesSpy, 'bad stuff happened'); tree = TestUtils.mountWithRouter(<PipelineList {...generateProps()} />); const instance = tree.instance() as PipelineList; await listPipelinesSpy; await TestUtils.flushPromises(); expect(updateBannerSpy).toHaveBeenLastCalledWith( expect.objectContaining({ additionalInfo: 'bad stuff happened', message: 'Error: failed to retrieve list of pipelines. Click Details for more information.', mode: 'error', }), ); updateBannerSpy.mockReset(); const refreshBtn = instance.getInitialToolbarState().actions[ButtonKeys.REFRESH]; listPipelinesSpy.mockImplementationOnce(() => ({ pipelines: [{ name: 'pipeline1' }] })); await refreshBtn!.action(); expect(listPipelinesSpy.mock.calls.length).toBe(2); expect(updateBannerSpy).toHaveBeenLastCalledWith({}); }); it('renders pipeline names as links to their details pages', async () => { tree = await mountWithNPipelines(1); const link = tree.find('a[children="test pipeline name0"]'); expect(link).toHaveLength(1); expect(link.prop('href')).toBe( RoutePage.PIPELINE_DETAILS_NO_VERSION.replace( ':' + RouteParams.pipelineId + '?', 'test-pipeline-id0', ), ); }); it('always has upload pipeline button enabled', async () => { tree = await mountWithNPipelines(1); const calls = updateToolbarSpy.mock.calls[0]; expect(calls[0].actions[ButtonKeys.NEW_PIPELINE_VERSION]).not.toHaveProperty('disabled'); }); it('enables delete button when one pipeline is selected', async () => { tree = await mountWithNPipelines(1); tree.find('.tableRow').simulate('click'); expect(updateToolbarSpy.mock.calls).toHaveLength(2); // Initial call, then selection update const calls = updateToolbarSpy.mock.calls[1]; expect(calls[0].actions[ButtonKeys.DELETE_RUN]).toHaveProperty('disabled', false); }); it('enables delete button when two pipelines are selected', async () => { tree = await mountWithNPipelines(2); tree .find('.tableRow') .at(0) .simulate('click'); tree .find('.tableRow') .at(1) .simulate('click'); expect(updateToolbarSpy.mock.calls).toHaveLength(3); // Initial call, then selection updates const calls = updateToolbarSpy.mock.calls[2]; expect(calls[0].actions[ButtonKeys.DELETE_RUN]).toHaveProperty('disabled', false); }); it('re-disables delete button pipelines are unselected', async () => { tree = await mountWithNPipelines(1); tree .find('.tableRow') .at(0) .simulate('click'); tree .find('.tableRow') .at(0) .simulate('click'); expect(updateToolbarSpy.mock.calls).toHaveLength(3); // Initial call, then selection updates const calls = updateToolbarSpy.mock.calls[2]; expect(calls[0].actions[ButtonKeys.DELETE_RUN]).toHaveProperty('disabled', true); }); it('shows delete dialog when delete button is clicked', async () => { tree = await mountWithNPipelines(1); tree .find('.tableRow') .at(0) .simulate('click'); const deleteBtn = (tree.instance() as PipelineList).getInitialToolbarState().actions[ ButtonKeys.DELETE_RUN ]; await deleteBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; expect(call).toHaveProperty('title', 'Delete 1 pipeline?'); }); it('shows delete dialog when delete button is clicked, indicating several pipelines to delete', async () => { tree = await mountWithNPipelines(5); tree .find('.tableRow') .at(0) .simulate('click'); tree .find('.tableRow') .at(2) .simulate('click'); tree .find('.tableRow') .at(3) .simulate('click'); const deleteBtn = (tree.instance() as PipelineList).getInitialToolbarState().actions[ ButtonKeys.DELETE_RUN ]; await deleteBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; expect(call).toHaveProperty('title', 'Delete 3 pipelines?'); }); it('does not call delete API for selected pipeline when delete dialog is canceled', async () => { tree = await mountWithNPipelines(1); tree .find('.tableRow') .at(0) .simulate('click'); const deleteBtn = (tree.instance() as PipelineList).getInitialToolbarState().actions[ ButtonKeys.DELETE_RUN ]; await deleteBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const cancelBtn = call.buttons.find((b: any) => b.text === 'Cancel'); await cancelBtn.onClick(); expect(deletePipelineSpy).not.toHaveBeenCalled(); }); it('calls delete API for selected pipeline after delete dialog is confirmed', async () => { tree = await mountWithNPipelines(1); tree .find('.tableRow') .at(0) .simulate('click'); const deleteBtn = (tree.instance() as PipelineList).getInitialToolbarState().actions[ ButtonKeys.DELETE_RUN ]; await deleteBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const confirmBtn = call.buttons.find((b: any) => b.text === 'Delete'); await confirmBtn.onClick(); expect(deletePipelineSpy).toHaveBeenLastCalledWith('test-pipeline-id0'); }); it('updates the selected indices after a pipeline is deleted', async () => { tree = await mountWithNPipelines(5); tree .find('.tableRow') .at(0) .simulate('click'); expect(tree.state()).toHaveProperty('selectedIds', ['test-pipeline-id0']); deletePipelineSpy.mockImplementation(() => Promise.resolve()); const deleteBtn = (tree.instance() as PipelineList).getInitialToolbarState().actions[ ButtonKeys.DELETE_RUN ]; await deleteBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const confirmBtn = call.buttons.find((b: any) => b.text === 'Delete'); await confirmBtn.onClick(); expect(tree.state()).toHaveProperty('selectedIds', []); }); it('updates the selected indices after multiple pipelines are deleted', async () => { tree = await mountWithNPipelines(5); tree .find('.tableRow') .at(0) .simulate('click'); tree .find('.tableRow') .at(3) .simulate('click'); expect(tree.state()).toHaveProperty('selectedIds', ['test-pipeline-id0', 'test-pipeline-id3']); deletePipelineSpy.mockImplementation(() => Promise.resolve()); const deleteBtn = (tree.instance() as PipelineList).getInitialToolbarState().actions[ ButtonKeys.DELETE_RUN ]; await deleteBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const confirmBtn = call.buttons.find((b: any) => b.text === 'Delete'); await confirmBtn.onClick(); expect(tree.state()).toHaveProperty('selectedIds', []); }); it('calls delete API for all selected pipelines after delete dialog is confirmed', async () => { tree = await mountWithNPipelines(5); tree .find('.tableRow') .at(0) .simulate('click'); tree .find('.tableRow') .at(1) .simulate('click'); tree .find('.tableRow') .at(4) .simulate('click'); const deleteBtn = (tree.instance() as PipelineList).getInitialToolbarState().actions[ ButtonKeys.DELETE_RUN ]; await deleteBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const confirmBtn = call.buttons.find((b: any) => b.text === 'Delete'); await confirmBtn.onClick(); expect(deletePipelineSpy).toHaveBeenCalledTimes(3); expect(deletePipelineSpy).toHaveBeenCalledWith('test-pipeline-id0'); expect(deletePipelineSpy).toHaveBeenCalledWith('test-pipeline-id1'); expect(deletePipelineSpy).toHaveBeenCalledWith('test-pipeline-id4'); }); it('shows snackbar confirmation after pipeline is deleted', async () => { tree = await mountWithNPipelines(1); tree .find('.tableRow') .at(0) .simulate('click'); deletePipelineSpy.mockImplementation(() => Promise.resolve()); const deleteBtn = (tree.instance() as PipelineList).getInitialToolbarState().actions[ ButtonKeys.DELETE_RUN ]; await deleteBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const confirmBtn = call.buttons.find((b: any) => b.text === 'Delete'); await confirmBtn.onClick(); expect(updateSnackbarSpy).toHaveBeenLastCalledWith({ message: 'Deletion succeeded for 1 pipeline', open: true, }); }); it('shows error dialog when pipeline deletion fails', async () => { tree = await mountWithNPipelines(1); tree .find('.tableRow') .at(0) .simulate('click'); TestUtils.makeErrorResponseOnce(deletePipelineSpy, 'woops, failed'); const deleteBtn = (tree.instance() as PipelineList).getInitialToolbarState().actions[ ButtonKeys.DELETE_RUN ]; await deleteBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const confirmBtn = call.buttons.find((b: any) => b.text === 'Delete'); await confirmBtn.onClick(); const lastCall = updateDialogSpy.mock.calls[1][0]; expect(lastCall).toMatchObject({ content: 'Failed to delete pipeline: test-pipeline-id0 with error: "woops, failed"', title: 'Failed to delete some pipelines and/or some pipeline versions', }); }); it('shows error dialog when multiple pipeline deletions fail', async () => { tree = await mountWithNPipelines(5); tree .find('.tableRow') .at(0) .simulate('click'); tree .find('.tableRow') .at(2) .simulate('click'); tree .find('.tableRow') .at(1) .simulate('click'); tree .find('.tableRow') .at(3) .simulate('click'); deletePipelineSpy.mockImplementation(id => { if (id.indexOf(3) === -1 && id.indexOf(2) === -1) { // eslint-disable-next-line no-throw-literal throw { text: () => Promise.resolve('woops, failed!'), }; } }); const deleteBtn = (tree.instance() as PipelineList).getInitialToolbarState().actions[ ButtonKeys.DELETE_RUN ]; await deleteBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const confirmBtn = call.buttons.find((b: any) => b.text === 'Delete'); await confirmBtn.onClick(); // Should show only one error dialog for both pipelines (plus once for confirmation) expect(updateDialogSpy).toHaveBeenCalledTimes(2); const lastCall = updateDialogSpy.mock.calls[1][0]; expect(lastCall).toMatchObject({ content: 'Failed to delete pipeline: test-pipeline-id0 with error: "woops, failed!"\n\n' + 'Failed to delete pipeline: test-pipeline-id1 with error: "woops, failed!"', title: 'Failed to delete some pipelines and/or some pipeline versions', }); // Should show snackbar for the one successful deletion expect(updateSnackbarSpy).toHaveBeenLastCalledWith({ message: 'Deletion succeeded for 2 pipelines', open: true, }); }); it("delete a pipeline and some other pipeline's version together", async () => { deletePipelineSpy.mockImplementation(() => Promise.resolve()); deletePipelineVersionSpy.mockImplementation(() => Promise.resolve()); listPipelineVersionsSpy.mockImplementation(() => ({ versions: [ { id: 'test-pipeline-id1_default_version', name: 'test-pipeline-id1_default_version_name', }, ], })); tree = await mountWithNPipelines(2); tree .find('button[aria-label="Expand"]') .at(1) .simulate('click'); await listPipelineVersionsSpy; tree.update(); // select pipeline of id 'test-pipeline-id0' tree .find('.tableRow') .at(0) .simulate('click'); // select pipeline version of id 'test-pipeline-id1_default_version' under pipeline 'test-pipeline-id1' tree .find('.tableRow') .at(2) .simulate('click'); expect(tree.state()).toHaveProperty('selectedIds', ['test-pipeline-id0']); expect(tree.state()).toHaveProperty('selectedVersionIds', { 'test-pipeline-id1': ['test-pipeline-id1_default_version'], }); const deleteBtn = (tree.instance() as PipelineList).getInitialToolbarState().actions[ ButtonKeys.DELETE_RUN ]; await deleteBtn!.action(); const call = updateDialogSpy.mock.calls[0][0]; const confirmBtn = call.buttons.find((b: any) => b.text === 'Delete'); await confirmBtn.onClick(); await deletePipelineSpy; await deletePipelineVersionSpy; expect(deletePipelineSpy).toHaveBeenCalledTimes(1); expect(deletePipelineSpy).toHaveBeenCalledWith('test-pipeline-id0'); expect(deletePipelineVersionSpy).toHaveBeenCalledTimes(1); expect(deletePipelineVersionSpy).toHaveBeenCalledWith('test-pipeline-id1_default_version'); expect(tree.state()).toHaveProperty('selectedIds', []); expect(tree.state()).toHaveProperty('selectedVersionIds', { 'test-pipeline-id1': [] }); // Should show snackbar for the one successful deletion expect(updateSnackbarSpy).toHaveBeenLastCalledWith({ message: 'Deletion succeeded for 1 pipeline and 1 pipeline version', open: true, }); }); });
7,817
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/GettingStarted.tsx
/* * Copyright 2019 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import Markdown from 'markdown-to-jsx'; import * as React from 'react'; import { classes, cssRaw } from 'typestyle'; import { ApiFilter, PredicateOp } from '../apis/filter/api'; import { AutoLink } from '../atoms/ExternalLink'; import { RoutePageFactory } from '../components/Router'; import { ToolbarProps } from '../components/Toolbar'; import SAMPLE_CONFIG from '../config/sample_config_from_backend.json'; import { commonCss, padding } from '../Css'; import { Apis } from '../lib/Apis'; import Buttons from '../lib/Buttons'; import { Page } from './Page'; const DEMO_PIPELINES: string[] = SAMPLE_CONFIG.slice(0, 4); const DEMO_PIPELINES_ID_MAP = { control: 3, data: 2, tfx: 1, xgboost: 0, }; const PAGE_CONTENT_MD = ({ control, data, tfx, xgboost, }: { control: string; data: string; tfx: string; xgboost: string; }) => ` <br/> ## Build your own pipeline with * TensorFlow Extended (TFX) [SDK](https://www.tensorflow.org/tfx/guide) with end-to-end ML Pipeline Template ([Open TF 2.1 Notebook](https://console.cloud.google.com/mlengine/notebooks/deploy-notebook?q=download_url%3Dhttps%253A%252F%252Fraw.githubusercontent.com%252Ftensorflow%252Ftfx%252Fmaster%252Fdocs%252Ftutorials%252Ftfx%252Ftemplate.ipynb)) * Kubeflow Pipelines [SDK](https://www.kubeflow.org/docs/pipelines/sdk/) <br/> ## Demonstrations and Tutorials This section contains demo and tutorial pipelines. **Demos** - Try an end-to-end demonstration pipeline. * [TFX pipeline demo](${tfx}) - Classification pipeline with model analysis, based on a public BigQuery dataset of taxicab trips. [source code](https://github.com/kubeflow/pipelines/tree/master/samples/core/parameterized_tfx_oss) * [XGBoost Pipeline demo](${xgboost}) - An example of end-to-end distributed training for an XGBoost model. [source code](https://github.com/kubeflow/pipelines/tree/master/samples/core/xgboost_training_cm) <br/> **Tutorials** - Learn pipeline concepts by following a tutorial. * [Data passing in python components](${data}) - Shows how to pass data between python components. [source code](https://github.com/kubeflow/pipelines/tree/master/samples/tutorials/Data%20passing%20in%20python%20components) * [DSL - Control structures](${control}) - Shows how to use conditional execution and exit handlers. [source code](https://github.com/kubeflow/pipelines/tree/master/samples/tutorials/DSL%20-%20Control%20structures) Want to learn more? [Learn from sample and tutorial pipelines.](https://www.kubeflow.org/docs/pipelines/tutorials/) `; cssRaw(` .kfp-start-page li { font-size: 14px; margin-block-start: 0.83em; margin-block-end: 0.83em; margin-left: 2em; } .kfp-start-page p { font-size: 14px; margin-block-start: 0.83em; margin-block-end: 0.83em; } .kfp-start-page h2 { font-size: 18px; margin-block-start: 1em; margin-block-end: 1em; } .kfp-start-page h3 { font-size: 16px; margin-block-start: 1em; margin-block-end: 1em; } `); const OPTIONS = { overrides: { a: { component: AutoLink } }, }; export class GettingStarted extends Page<{}, { links: string[] }> { public state = { links: ['', '', '', ''].map(getPipelineLink), }; public getInitialToolbarState(): ToolbarProps { const buttons = new Buttons(this.props, this.refresh.bind(this)); return { actions: buttons.getToolbarActionMap(), breadcrumbs: [], pageTitle: 'Getting Started', }; } public async componentDidMount() { const ids = await Promise.all( DEMO_PIPELINES.map(name => Apis.pipelineServiceApi .listPipelines(undefined, 10, undefined, createAndEncodeFilter(name)) .then(pipelineList => { const pipelines = pipelineList.pipelines; if (pipelines?.length !== 1) { // This should be accurate, do not accept ambiguous results. return ''; } return pipelines[0].id || ''; }) .catch(() => ''), ), ); this.setState({ links: ids.map(getPipelineLink) }); } public async refresh() { this.componentDidMount(); } public render(): JSX.Element { return ( <div className={classes(commonCss.page, padding(20, 'lr'), 'kfp-start-page')}> <Markdown options={OPTIONS}> {PAGE_CONTENT_MD({ control: this.state.links[DEMO_PIPELINES_ID_MAP.control], data: this.state.links[DEMO_PIPELINES_ID_MAP.data], tfx: this.state.links[DEMO_PIPELINES_ID_MAP.tfx], xgboost: this.state.links[DEMO_PIPELINES_ID_MAP.xgboost], })} </Markdown> </div> ); } } function getPipelineLink(id: string) { if (!id) { return '#/pipelines'; } return `#${RoutePageFactory.pipelineDetails(id)}`; } function createAndEncodeFilter(filterString: string): string { const filter: ApiFilter = { predicates: [ { key: 'name', op: PredicateOp.EQUALS, string_value: filterString, }, ], }; return encodeURIComponent(JSON.stringify(filter)); }
7,818
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/ResourceSelector.test.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import ResourceSelector, { ResourceSelectorProps, BaseResource } from './ResourceSelector'; import TestUtils from '../TestUtils'; import { ListRequest } from '../lib/Apis'; import { shallow, ReactWrapper, ShallowWrapper } from 'enzyme'; import { Row } from '../components/CustomTable'; class TestResourceSelector extends ResourceSelector { public async _load(request: ListRequest): Promise<string> { return super._load(request); } public _selectionChanged(selectedIds: string[]): void { return super._selectionChanged(selectedIds); } public _resourcesToRow(resources: BaseResource[]): Row[] { return super._resourcesToRow(resources); } } describe('ResourceSelector', () => { let tree: ReactWrapper | ShallowWrapper; const updateDialogSpy = jest.fn(); const selectionChangedCbSpy = jest.fn(); const listResourceSpy = jest.fn(); const RESOURCES: BaseResource[] = [ { created_at: new Date(2018, 1, 2, 3, 4, 5), description: 'test-1 description', id: 'some-id-1', name: 'test-1 name', }, { created_at: new Date(2018, 10, 9, 8, 7, 6), description: 'test-2 description', id: 'some-2-id', name: 'test-2 name', }, ]; const selectorColumns = [ { label: 'Resource name', flex: 1, sortKey: 'name' }, { label: 'Description', flex: 1.5 }, { label: 'Uploaded on', flex: 1, sortKey: 'created_at' }, ]; const testEmptyMessage = 'Test - Sorry, no resources.'; const testTitle = 'A test selector'; function generateProps(): ResourceSelectorProps { return { columns: selectorColumns, emptyMessage: testEmptyMessage, filterLabel: 'test filter label', history: {} as any, initialSortColumn: 'created_at', listApi: listResourceSpy as any, location: '' as any, match: {} as any, selectionChanged: selectionChangedCbSpy, title: testTitle, updateDialog: updateDialogSpy, }; } beforeEach(() => { listResourceSpy.mockReset(); listResourceSpy.mockImplementation(() => ({ nextPageToken: 'test-next-page-token', resources: RESOURCES, })); updateDialogSpy.mockReset(); selectionChangedCbSpy.mockReset(); }); afterEach(async () => { // unmount() should be called before resetAllMocks() in case any part of the unmount life cycle // depends on mocks/spies await tree.unmount(); }); it('displays resource selector', async () => { tree = shallow(<TestResourceSelector {...generateProps()} />); await (tree.instance() as TestResourceSelector)._load({}); expect(listResourceSpy).toHaveBeenCalledTimes(1); expect(listResourceSpy).toHaveBeenLastCalledWith(undefined, undefined, undefined, undefined); expect(tree.state('resources')).toEqual(RESOURCES); expect(tree).toMatchSnapshot(); }); it('converts resources into a table rows', async () => { const props = generateProps(); const resources: BaseResource[] = [ { created_at: new Date(2018, 1, 2, 3, 4, 5), description: 'a description', id: 'an-id', name: 'a name', }, ]; listResourceSpy.mockImplementationOnce(() => ({ resources, nextPageToken: '' })); props.listApi = listResourceSpy as any; tree = shallow(<TestResourceSelector {...props} />); await (tree.instance() as TestResourceSelector)._load({}); expect(tree.state('rows')).toEqual([ { id: 'an-id', otherFields: ['a name', 'a description', '2/2/2018, 3:04:05 AM'], }, ]); }); it('shows error dialog if listing fails', async () => { TestUtils.makeErrorResponseOnce(listResourceSpy, 'woops!'); jest.spyOn(console, 'error').mockImplementation(); tree = shallow(<TestResourceSelector {...generateProps()} />); await (tree.instance() as TestResourceSelector)._load({}); expect(listResourceSpy).toHaveBeenCalledTimes(1); expect(updateDialogSpy).toHaveBeenLastCalledWith( expect.objectContaining({ content: 'List request failed with:\nwoops!', title: 'Error retrieving resources', }), ); expect(tree.state('resources')).toEqual([]); }); it('calls selection callback when a resource is selected', async () => { tree = shallow(<TestResourceSelector {...generateProps()} />); await (tree.instance() as TestResourceSelector)._load({}); expect(tree.state('selectedIds')).toEqual([]); (tree.instance() as TestResourceSelector)._selectionChanged([RESOURCES[1].id!]); expect(selectionChangedCbSpy).toHaveBeenLastCalledWith(RESOURCES[1]); expect(tree.state('selectedIds')).toEqual([RESOURCES[1].id]); }); it('logs error if more than one resource is selected', async () => { tree = shallow(<TestResourceSelector {...generateProps()} />); const consoleSpy = jest.spyOn(console, 'error').mockImplementation(); await (tree.instance() as TestResourceSelector)._load({}); expect(tree.state('selectedIds')).toEqual([]); (tree.instance() as TestResourceSelector)._selectionChanged([ RESOURCES[0].id!, RESOURCES[1].id!, ]); expect(selectionChangedCbSpy).not.toHaveBeenCalled(); expect(tree.state('selectedIds')).toEqual([]); expect(consoleSpy).toHaveBeenLastCalledWith('2 resources were selected somehow', [ RESOURCES[0].id, RESOURCES[1].id, ]); }); it('logs error if selected resource ID is not found in list', async () => { tree = shallow(<TestResourceSelector {...generateProps()} />); const consoleSpy = jest.spyOn(console, 'error').mockImplementation(); await (tree.instance() as TestResourceSelector)._load({}); expect(tree.state('selectedIds')).toEqual([]); (tree.instance() as TestResourceSelector)._selectionChanged(['id-not-in-list']); expect(selectionChangedCbSpy).not.toHaveBeenCalled(); expect(tree.state('selectedIds')).toEqual([]); expect(consoleSpy).toHaveBeenLastCalledWith( 'Somehow no resource was found with ID: id-not-in-list', ); }); });
7,819
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/NewExperiment.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import BusyButton from '../atoms/BusyButton'; import Button from '@material-ui/core/Button'; import Input from '../atoms/Input'; import { ApiExperiment, ApiResourceType, ApiRelationship } from '../apis/experiment'; import { Apis } from '../lib/Apis'; import { Page, PageProps } from './Page'; import { RoutePage, QUERY_PARAMS } from '../components/Router'; import { TextFieldProps } from '@material-ui/core/TextField'; import { ToolbarProps } from '../components/Toolbar'; import { URLParser } from '../lib/URLParser'; import { classes, stylesheet } from 'typestyle'; import { commonCss, padding, fontsize } from '../Css'; import { logger, errorToMessage } from '../lib/Utils'; import { NamespaceContext } from 'src/lib/KubeflowClient'; interface NewExperimentState { description: string; validationError: string; isbeingCreated: boolean; experimentName: string; pipelineId?: string; } const css = stylesheet({ errorMessage: { color: 'red', }, // TODO: move to Css.tsx and probably rename. explanation: { fontSize: fontsize.small, }, }); export class NewExperiment extends Page<{ namespace?: string }, NewExperimentState> { private _experimentNameRef = React.createRef<HTMLInputElement>(); constructor(props: any) { super(props); this.state = { description: '', experimentName: '', isbeingCreated: false, validationError: '', }; } public getInitialToolbarState(): ToolbarProps { return { actions: {}, breadcrumbs: [{ displayName: 'Experiments', href: RoutePage.EXPERIMENTS }], pageTitle: 'New experiment', }; } public render(): JSX.Element { const { description, experimentName, isbeingCreated, validationError } = this.state; return ( <div className={classes(commonCss.page, padding(20, 'lr'))}> <div className={classes(commonCss.scrollContainer, padding(20, 'lr'))}> <div className={commonCss.header}>Experiment details</div> {/* TODO: this description needs work. */} <div className={css.explanation}> Think of an Experiment as a space that contains the history of all pipelines and their associated runs </div> <Input id='experimentName' label='Experiment name' inputRef={this._experimentNameRef} required={true} onChange={this.handleChange('experimentName')} value={experimentName} autoFocus={true} variant='outlined' /> <Input id='experimentDescription' label='Description (optional)' multiline={true} onChange={this.handleChange('description')} value={description} variant='outlined' /> <div className={commonCss.flex}> <BusyButton id='createExperimentBtn' disabled={!!validationError} busy={isbeingCreated} className={commonCss.buttonAction} title={'Next'} onClick={this._create.bind(this)} /> <Button id='cancelNewExperimentBtn' onClick={() => this.props.history.push(RoutePage.EXPERIMENTS)} > Cancel </Button> <div className={css.errorMessage}>{validationError}</div> </div> </div> </div> ); } public async refresh(): Promise<void> { return; } public async componentDidMount(): Promise<void> { const urlParser = new URLParser(this.props); const pipelineId = urlParser.get(QUERY_PARAMS.pipelineId); if (pipelineId) { this.setState({ pipelineId }); } this._validate(); } public handleChange = (name: string) => (event: any) => { const value = (event.target as TextFieldProps).value; this.setState({ [name]: value } as any, this._validate.bind(this)); }; private _create(): void { const newExperiment: ApiExperiment = { description: this.state.description, name: this.state.experimentName, resource_references: this.props.namespace ? [ { key: { id: this.props.namespace, type: ApiResourceType.NAMESPACE, }, relationship: ApiRelationship.OWNER, }, ] : undefined, }; this.setState({ isbeingCreated: true }, async () => { try { const response = await Apis.experimentServiceApi.createExperiment(newExperiment); let searchString = ''; if (this.state.pipelineId) { searchString = new URLParser(this.props).build({ [QUERY_PARAMS.experimentId]: response.id || '', [QUERY_PARAMS.pipelineId]: this.state.pipelineId, [QUERY_PARAMS.firstRunInExperiment]: '1', }); } else { searchString = new URLParser(this.props).build({ [QUERY_PARAMS.experimentId]: response.id || '', [QUERY_PARAMS.firstRunInExperiment]: '1', }); } this.props.history.push(RoutePage.NEW_RUN + searchString); this.props.updateSnackbar({ autoHideDuration: 10000, message: `Successfully created new Experiment: ${newExperiment.name}`, open: true, }); } catch (err) { const errorMessage = await errorToMessage(err); await this.showErrorDialog('Experiment creation failed', errorMessage); logger.error('Error creating experiment:', err); this.setState({ isbeingCreated: false }); } }); } private _validate(): void { // Validate state const { experimentName } = this.state; try { if (!experimentName) { throw new Error('Experiment name is required'); } this.setState({ validationError: '' }); } catch (err) { this.setState({ validationError: err.message }); } } } const EnhancedNewExperiment: React.FC<PageProps> = props => { const namespace = React.useContext(NamespaceContext); return <NewExperiment {...props} namespace={namespace} />; }; export default EnhancedNewExperiment;
7,820
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/AllRunsList.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import Buttons, { ButtonKeys } from '../lib/Buttons'; import RunList from './RunList'; import { Page, PageProps } from './Page'; import { RunStorageState } from '../apis/run'; import { ToolbarProps } from '../components/Toolbar'; import { classes } from 'typestyle'; import { commonCss, padding } from '../Css'; import { NamespaceContext } from 'src/lib/KubeflowClient'; interface AllRunsListState { selectedIds: string[]; } export class AllRunsList extends Page<{ namespace?: string }, AllRunsListState> { private _runlistRef = React.createRef<RunList>(); constructor(props: any) { super(props); this.state = { selectedIds: [], }; } public getInitialToolbarState(): ToolbarProps { const buttons = new Buttons(this.props, this.refresh.bind(this)); return { actions: buttons .newRun() .newExperiment() .compareRuns(() => this.state.selectedIds) .cloneRun(() => this.state.selectedIds, false) .archive( 'run', () => this.state.selectedIds, false, selectedIds => this._selectionChanged(selectedIds), ) .refresh(this.refresh.bind(this)) .getToolbarActionMap(), breadcrumbs: [], pageTitle: 'Experiments', }; } public render(): JSX.Element { return ( <div className={classes(commonCss.page, padding(20, 'lr'))}> <RunList onError={this.showPageError.bind(this)} selectedIds={this.state.selectedIds} onSelectionChange={this._selectionChanged.bind(this)} ref={this._runlistRef} storageState={RunStorageState.AVAILABLE} hideMetricMetadata={true} namespaceMask={this.props.namespace} {...this.props} /> </div> ); } public async refresh(): Promise<void> { // Tell run list to refresh if (this._runlistRef.current) { this.clearBanner(); await this._runlistRef.current.refresh(); } } private _selectionChanged(selectedIds: string[]): void { const toolbarActions = this.props.toolbarProps.actions; toolbarActions[ButtonKeys.COMPARE].disabled = selectedIds.length <= 1 || selectedIds.length > 10; toolbarActions[ButtonKeys.CLONE_RUN].disabled = selectedIds.length !== 1; toolbarActions[ButtonKeys.ARCHIVE].disabled = !selectedIds.length; this.props.updateToolbar({ actions: toolbarActions, breadcrumbs: this.props.toolbarProps.breadcrumbs, }); this.setState({ selectedIds }); } } const EnhancedAllRunsList = (props: PageProps) => { const namespace = React.useContext(NamespaceContext); return <AllRunsList key={namespace} {...props} namespace={namespace} />; }; export default EnhancedAllRunsList;
7,821
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/NewPipelineVersion.test.tsx
/* * Copyright 2019 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import NewPipelineVersion, { ImportMethod } from './NewPipelineVersion'; import TestUtils from '../TestUtils'; import { shallow, ShallowWrapper, ReactWrapper } from 'enzyme'; import { PageProps } from './Page'; import { Apis } from '../lib/Apis'; import { RoutePage, QUERY_PARAMS } from '../components/Router'; import { ApiResourceType } from '../apis/pipeline'; class TestNewPipelineVersion extends NewPipelineVersion { public _pipelineSelectorClosed = super._pipelineSelectorClosed; public _onDropForTest = super._onDropForTest; } describe('NewPipelineVersion', () => { let tree: ReactWrapper | ShallowWrapper; const historyPushSpy = jest.fn(); const historyReplaceSpy = jest.fn(); const updateBannerSpy = jest.fn(); const updateDialogSpy = jest.fn(); const updateSnackbarSpy = jest.fn(); const updateToolbarSpy = jest.fn(); let getPipelineSpy: jest.SpyInstance<{}>; let createPipelineSpy: jest.SpyInstance<{}>; let createPipelineVersionSpy: jest.SpyInstance<{}>; let uploadPipelineSpy: jest.SpyInstance<{}>; let MOCK_PIPELINE = { id: 'original-run-pipeline-id', name: 'original mock pipeline name', default_version: { id: 'original-run-pipeline-version-id', name: 'original mock pipeline version name', resource_references: [ { key: { id: 'original-run-pipeline-id', type: ApiResourceType.PIPELINE, }, relationship: 1, }, ], }, }; let MOCK_PIPELINE_VERSION = { id: 'original-run-pipeline-version-id', name: 'original mock pipeline version name', resource_references: [ { key: { id: 'original-run-pipeline-id', type: ApiResourceType.PIPELINE, }, relationship: 1, }, ], }; function generateProps(search?: string): PageProps { return { history: { push: historyPushSpy, replace: historyReplaceSpy } as any, location: { pathname: RoutePage.NEW_PIPELINE_VERSION, search: search, } as any, match: '' as any, toolbarProps: TestNewPipelineVersion.prototype.getInitialToolbarState(), updateBanner: updateBannerSpy, updateDialog: updateDialogSpy, updateSnackbar: updateSnackbarSpy, updateToolbar: updateToolbarSpy, }; } beforeEach(() => { jest.clearAllMocks(); getPipelineSpy = jest .spyOn(Apis.pipelineServiceApi, 'getPipeline') .mockImplementation(() => MOCK_PIPELINE); createPipelineVersionSpy = jest .spyOn(Apis.pipelineServiceApi, 'createPipelineVersion') .mockImplementation(() => MOCK_PIPELINE_VERSION); createPipelineSpy = jest .spyOn(Apis.pipelineServiceApi, 'createPipeline') .mockImplementation(() => MOCK_PIPELINE); uploadPipelineSpy = jest.spyOn(Apis, 'uploadPipeline').mockImplementation(() => MOCK_PIPELINE); }); afterEach(async () => { // unmount() should be called before resetAllMocks() in case any part of the unmount life cycle // depends on mocks/spies if (tree) { await tree.unmount(); } jest.resetAllMocks(); jest.restoreAllMocks(); }); // New pipeline version page has two functionalities: creating a pipeline and creating a version under an existing pipeline. // Our tests will be divided into 3 parts: switching between creating pipeline or creating version; test pipeline creation; test pipeline version creation. describe('switching between creating pipeline and creating pipeline version', () => { it('creates pipeline is default when landing from pipeline list page', () => { tree = shallow(<TestNewPipelineVersion {...generateProps()} />); // When landing from pipeline list page, the default is to create pipeline expect(tree.state('newPipeline')).toBe(true); // Switch to create pipeline version tree.find('#createPipelineVersionUnderExistingPipelineBtn').simulate('change'); expect(tree.state('newPipeline')).toBe(false); // Switch back tree.find('#createNewPipelineBtn').simulate('change'); expect(tree.state('newPipeline')).toBe(true); }); it('creates pipeline version is default when landing from pipeline details page', () => { tree = shallow( <TestNewPipelineVersion {...generateProps(`?${QUERY_PARAMS.pipelineId}=${MOCK_PIPELINE.id}`)} />, ); // When landing from pipeline list page, the default is to create pipeline expect(tree.state('newPipeline')).toBe(false); // Switch to create pipeline version tree.find('#createNewPipelineBtn').simulate('change'); expect(tree.state('newPipeline')).toBe(true); // Switch back tree.find('#createPipelineVersionUnderExistingPipelineBtn').simulate('change'); expect(tree.state('newPipeline')).toBe(false); }); }); describe('creating version under an existing pipeline', () => { it('does not include any action buttons in the toolbar', async () => { tree = shallow( <TestNewPipelineVersion {...generateProps(`?${QUERY_PARAMS.pipelineId}=${MOCK_PIPELINE.id}`)} />, ); await TestUtils.flushPromises(); expect(updateToolbarSpy).toHaveBeenLastCalledWith({ actions: {}, breadcrumbs: [{ displayName: 'Pipeline Versions', href: '/pipeline_versions/new' }], pageTitle: 'Upload Pipeline or Pipeline Version', }); expect(getPipelineSpy).toHaveBeenCalledTimes(1); }); it('allows updating pipeline version name', async () => { tree = shallow( <TestNewPipelineVersion {...generateProps(`?${QUERY_PARAMS.pipelineId}=${MOCK_PIPELINE.id}`)} />, ); await TestUtils.flushPromises(); (tree.instance() as TestNewPipelineVersion).handleChange('pipelineVersionName')({ target: { value: 'version name' }, }); expect(tree.state()).toHaveProperty('pipelineVersionName', 'version name'); expect(getPipelineSpy).toHaveBeenCalledTimes(1); }); it('allows updating package url', async () => { tree = shallow( <TestNewPipelineVersion {...generateProps(`?${QUERY_PARAMS.pipelineId}=${MOCK_PIPELINE.id}`)} />, ); await TestUtils.flushPromises(); (tree.instance() as TestNewPipelineVersion).handleChange('packageUrl')({ target: { value: 'https://dummy' }, }); expect(tree.state()).toHaveProperty('packageUrl', 'https://dummy'); expect(getPipelineSpy).toHaveBeenCalledTimes(1); }); it('allows updating code source', async () => { tree = shallow( <TestNewPipelineVersion {...generateProps(`?${QUERY_PARAMS.pipelineId}=${MOCK_PIPELINE.id}`)} />, ); await TestUtils.flushPromises(); (tree.instance() as TestNewPipelineVersion).handleChange('codeSourceUrl')({ target: { value: 'https://dummy' }, }); expect(tree.state()).toHaveProperty('codeSourceUrl', 'https://dummy'); expect(getPipelineSpy).toHaveBeenCalledTimes(1); }); it("sends a request to create a version when 'Create' is clicked", async () => { tree = shallow( <TestNewPipelineVersion {...generateProps(`?${QUERY_PARAMS.pipelineId}=${MOCK_PIPELINE.id}`)} />, ); await TestUtils.flushPromises(); (tree.instance() as TestNewPipelineVersion).handleChange('pipelineVersionName')({ target: { value: 'test version name' }, }); (tree.instance() as TestNewPipelineVersion).handleChange('packageUrl')({ target: { value: 'https://dummy_package_url' }, }); await TestUtils.flushPromises(); tree.find('#createNewPipelineOrVersionBtn').simulate('click'); // The APIs are called in a callback triggered by clicking 'Create', so we wait again await TestUtils.flushPromises(); expect(createPipelineVersionSpy).toHaveBeenCalledTimes(1); expect(createPipelineVersionSpy).toHaveBeenLastCalledWith({ code_source_url: '', name: 'test version name', package_url: { pipeline_url: 'https://dummy_package_url', }, resource_references: [ { key: { id: MOCK_PIPELINE.id, type: ApiResourceType.PIPELINE, }, relationship: 1, }, ], }); }); // TODO(jingzhang36): test error dialog if creating pipeline version fails }); describe('creating new pipeline', () => { it('renders the new pipeline page', async () => { tree = shallow(<TestNewPipelineVersion {...generateProps()} />); await TestUtils.flushPromises(); expect(tree).toMatchSnapshot(); }); it('switches between import methods', () => { tree = shallow(<TestNewPipelineVersion {...generateProps()} />); // Import method is URL by default expect(tree.state('importMethod')).toBe(ImportMethod.URL); // Click to import by local tree.find('#localPackageBtn').simulate('change'); expect(tree.state('importMethod')).toBe(ImportMethod.LOCAL); // Click back to URL tree.find('#remotePackageBtn').simulate('change'); expect(tree.state('importMethod')).toBe(ImportMethod.URL); }); it('creates pipeline from url', async () => { tree = shallow(<TestNewPipelineVersion {...generateProps()} />); (tree.instance() as TestNewPipelineVersion).handleChange('pipelineName')({ target: { value: 'test pipeline name' }, }); (tree.instance() as TestNewPipelineVersion).handleChange('pipelineDescription')({ target: { value: 'test pipeline description' }, }); (tree.instance() as TestNewPipelineVersion).handleChange('packageUrl')({ target: { value: 'https://dummy_package_url' }, }); await TestUtils.flushPromises(); tree.find('#createNewPipelineOrVersionBtn').simulate('click'); // The APIs are called in a callback triggered by clicking 'Create', so we wait again await TestUtils.flushPromises(); expect(tree.state()).toHaveProperty('newPipeline', true); expect(tree.state()).toHaveProperty('importMethod', ImportMethod.URL); expect(createPipelineSpy).toHaveBeenCalledTimes(1); expect(createPipelineSpy).toHaveBeenLastCalledWith({ description: 'test pipeline description', name: 'test pipeline name', url: { pipeline_url: 'https://dummy_package_url', }, }); }); it('creates pipeline from local file', async () => { tree = shallow(<NewPipelineVersion {...generateProps()} />); // Set local file, pipeline name, pipeline description and click create tree.find('#localPackageBtn').simulate('change'); (tree.instance() as TestNewPipelineVersion).handleChange('pipelineName')({ target: { value: 'test pipeline name' }, }); (tree.instance() as TestNewPipelineVersion).handleChange('pipelineDescription')({ target: { value: 'test pipeline description' }, }); const file = new File(['file contents'], 'file_name', { type: 'text/plain' }); (tree.instance() as TestNewPipelineVersion)._onDropForTest([file]); tree.find('#createNewPipelineOrVersionBtn').simulate('click'); tree.update(); await TestUtils.flushPromises(); expect(tree.state('importMethod')).toBe(ImportMethod.LOCAL); expect(uploadPipelineSpy).toHaveBeenLastCalledWith( 'test pipeline name', 'test pipeline description', file, ); expect(createPipelineSpy).not.toHaveBeenCalled(); }); }); });
7,822
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/RecurringRunsManager.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import BusyButton from '../atoms/BusyButton'; import CustomTable, { Column, Row, CustomRendererProps } from '../components/CustomTable'; import Toolbar, { ToolbarActionMap } from '../components/Toolbar'; import { ApiJob } from '../apis/job'; import { Apis, JobSortKeys, ListRequest } from '../lib/Apis'; import { DialogProps, RoutePage, RouteParams } from '../components/Router'; import { Link } from 'react-router-dom'; import { RouteComponentProps } from 'react-router'; import { SnackbarProps } from '@material-ui/core/Snackbar'; import { commonCss } from '../Css'; import { logger, formatDateString, errorToMessage } from '../lib/Utils'; export interface RecurringRunListProps extends RouteComponentProps { experimentId: string; updateDialog: (dialogProps: DialogProps) => void; updateSnackbar: (snackbarProps: SnackbarProps) => void; } interface RecurringRunListState { busyIds: Set<string>; runs: ApiJob[]; selectedIds: string[]; toolbarActionMap: ToolbarActionMap; } class RecurringRunsManager extends React.Component<RecurringRunListProps, RecurringRunListState> { private _tableRef = React.createRef<CustomTable>(); constructor(props: any) { super(props); this.state = { busyIds: new Set(), runs: [], selectedIds: [], toolbarActionMap: {}, }; } public render(): JSX.Element { const { runs, selectedIds, toolbarActionMap: toolbarActions } = this.state; const columns: Column[] = [ { customRenderer: this._nameCustomRenderer, flex: 2, label: 'Run name', sortKey: JobSortKeys.NAME, }, { label: 'Created at', flex: 2, sortKey: JobSortKeys.CREATED_AT }, { customRenderer: this._enabledCustomRenderer, label: '', flex: 1 }, ]; const rows: Row[] = runs.map(r => { return { error: r.error, id: r.id!, otherFields: [r.name, formatDateString(r.created_at), r.enabled], }; }); return ( <React.Fragment> <Toolbar actions={toolbarActions} breadcrumbs={[]} pageTitle='Recurring runs' /> <CustomTable columns={columns} rows={rows} ref={this._tableRef} selectedIds={selectedIds} updateSelection={ids => this.setState({ selectedIds: ids })} initialSortColumn={JobSortKeys.CREATED_AT} reload={this._loadRuns.bind(this)} filterLabel='Filter recurring runs' disableSelection={true} emptyMessage={'No recurring runs found in this experiment.'} /> </React.Fragment> ); } public async refresh(): Promise<void> { if (this._tableRef.current) { await this._tableRef.current.reload(); } } public _nameCustomRenderer: React.FC<CustomRendererProps<string>> = ( props: CustomRendererProps<string>, ) => { return ( <Link className={commonCss.link} to={RoutePage.RECURRING_RUN.replace(':' + RouteParams.runId, props.id)} > {props.value} </Link> ); }; public _enabledCustomRenderer: React.FC<CustomRendererProps<boolean>> = ( props: CustomRendererProps<boolean>, ) => { const isBusy = this.state.busyIds.has(props.id); return ( <BusyButton outlined={props.value} title={props.value === true ? 'Enabled' : 'Disabled'} busy={isBusy} onClick={() => { let busyIds = this.state.busyIds; busyIds.add(props.id); this.setState({ busyIds }, async () => { await this._setEnabledState(props.id, !props.value); busyIds = this.state.busyIds; busyIds.delete(props.id); this.setState({ busyIds }); await this.refresh(); }); }} /> ); }; protected async _loadRuns(request: ListRequest): Promise<string> { let runs: ApiJob[] = []; let nextPageToken = ''; try { const response = await Apis.jobServiceApi.listJobs( request.pageToken, request.pageSize, request.sortBy, 'EXPERIMENT', this.props.experimentId, request.filter, ); runs = response.jobs || []; nextPageToken = response.next_page_token || ''; } catch (err) { const errorMessage = await errorToMessage(err); this.props.updateDialog({ buttons: [{ text: 'Dismiss' }], content: 'List recurring run configs request failed with:\n' + errorMessage, title: 'Error retrieving recurring run configs', }); logger.error('Could not get list of recurring runs', errorMessage); } this.setState({ runs }); return nextPageToken; } protected async _setEnabledState(id: string, enabled: boolean): Promise<void> { try { await (enabled ? Apis.jobServiceApi.enableJob(id) : Apis.jobServiceApi.disableJob(id)); } catch (err) { const errorMessage = await errorToMessage(err); this.props.updateDialog({ buttons: [{ text: 'Dismiss' }], content: 'Error changing enabled state of recurring run:\n' + errorMessage, title: 'Error', }); logger.error('Error changing enabled state of recurring run', errorMessage); } } } export default RecurringRunsManager;
7,823
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/ArchivedExperimentsAndRuns.tsx
/* * Copyright 2020 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import ArchivedRuns from './ArchivedRuns'; import ArchivedExperiments from './ArchivedExperiments'; import MD2Tabs from '../atoms/MD2Tabs'; import { Page, PageProps } from './Page'; import { RoutePage } from '../components/Router'; import { ToolbarProps } from '../components/Toolbar'; import { classes } from 'typestyle'; import { commonCss, padding } from '../Css'; export enum ArchivedExperimentsAndRunsTab { RUNS = 0, EXPERIMENTS = 1, } export interface ArchivedExperimentAndRunsProps extends PageProps { view: ArchivedExperimentsAndRunsTab; } interface ArchivedExperimentAndRunsState { selectedTab: ArchivedExperimentsAndRunsTab; } class ArchivedExperimentsAndRuns extends Page< ArchivedExperimentAndRunsProps, ArchivedExperimentAndRunsState > { public getInitialToolbarState(): ToolbarProps { return { actions: {}, breadcrumbs: [], pageTitle: '' }; } public render(): JSX.Element { return ( <div className={classes(commonCss.page, padding(20, 't'))}> <MD2Tabs tabs={['Runs', 'Experiments']} selectedTab={this.props.view} onSwitch={this._tabSwitched.bind(this)} /> {this.props.view === ArchivedExperimentsAndRunsTab.RUNS && <ArchivedRuns {...this.props} />} {this.props.view === ArchivedExperimentsAndRunsTab.EXPERIMENTS && ( <ArchivedExperiments {...this.props} /> )} </div> ); } public async refresh(): Promise<void> { return; } private _tabSwitched(newTab: ArchivedExperimentsAndRunsTab): void { this.props.history.push( newTab === ArchivedExperimentsAndRunsTab.EXPERIMENTS ? RoutePage.ARCHIVED_EXPERIMENTS : RoutePage.ARCHIVED_RUNS, ); } } export default ArchivedExperimentsAndRuns;
7,824
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/ExperimentsAndRuns.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`ExperimentsAndRuns renders experiments page 1`] = ` <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "All experiments", "All runs", ] } /> <EnhancedExperimentList history={Object {}} location="" match="" toolbarProps={Object {}} updateBanner={[Function]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[Function]} view={0} /> </div> `; exports[`ExperimentsAndRuns renders runs page 1`] = ` <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={1} tabs={ Array [ "All experiments", "All runs", ] } /> <EnhancedAllRunsList history={Object {}} location="" match="" toolbarProps={Object {}} updateBanner={[Function]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[Function]} view={1} /> </div> `;
7,825
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/RecurringRunsManager.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`RecurringRunsManager calls API to load recurring runs 1`] = ` <Fragment> <Toolbar actions={Object {}} breadcrumbs={Array []} pageTitle="Recurring runs" /> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Run name", "sortKey": "name", }, Object { "flex": 2, "label": "Created at", "sortKey": "created_at", }, Object { "customRenderer": [Function], "flex": 1, "label": "", }, ] } disableSelection={true} emptyMessage="No recurring runs found in this experiment." filterLabel="Filter recurring runs" initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "error": undefined, "id": "job1", "otherFields": Array [ "test recurring run name", "11/9/2018, 8:07:06 AM", true, ], }, Object { "error": undefined, "id": "job2", "otherFields": Array [ "test recurring run name2", "11/9/2018, 8:07:06 AM", false, ], }, Object { "error": undefined, "id": "job3", "otherFields": Array [ "test recurring run name3", "11/9/2018, 8:07:06 AM", undefined, ], }, ] } selectedIds={Array []} updateSelection={[Function]} /> </Fragment> `; exports[`RecurringRunsManager reloads the list of runs after enable/disabling 1`] = ` <Button className="root" classes={ Object { "colorInherit": "MuiButton-colorInherit-836", "contained": "MuiButton-contained-826", "containedPrimary": "MuiButton-containedPrimary-827", "containedSecondary": "MuiButton-containedSecondary-828", "disabled": "MuiButton-disabled-835", "extendedFab": "MuiButton-extendedFab-833", "fab": "MuiButton-fab-832", "flat": "MuiButton-flat-820", "flatPrimary": "MuiButton-flatPrimary-821", "flatSecondary": "MuiButton-flatSecondary-822", "focusVisible": "MuiButton-focusVisible-834", "fullWidth": "MuiButton-fullWidth-840", "label": "MuiButton-label-816", "mini": "MuiButton-mini-837", "outlined": "MuiButton-outlined-823", "outlinedPrimary": "MuiButton-outlinedPrimary-824", "outlinedSecondary": "MuiButton-outlinedSecondary-825", "raised": "MuiButton-raised-829", "raisedPrimary": "MuiButton-raisedPrimary-830", "raisedSecondary": "MuiButton-raisedSecondary-831", "root": "MuiButton-root-815", "sizeLarge": "MuiButton-sizeLarge-839", "sizeSmall": "MuiButton-sizeSmall-838", "text": "MuiButton-text-817", "textPrimary": "MuiButton-textPrimary-818", "textSecondary": "MuiButton-textSecondary-819", } } color="primary" component="button" disableFocusRipple={false} disabled={false} fullWidth={false} mini={false} onClick={[Function]} size="medium" type="button" variant="text" > <WithStyles(ButtonBase) className="MuiButton-root-815 MuiButton-text-817 MuiButton-textPrimary-818 MuiButton-flat-820 MuiButton-flatPrimary-821 root" component="button" disabled={false} focusRipple={true} focusVisibleClassName="MuiButton-focusVisible-834" onClick={[Function]} type="button" > <ButtonBase centerRipple={false} className="MuiButton-root-815 MuiButton-text-817 MuiButton-textPrimary-818 MuiButton-flat-820 MuiButton-flatPrimary-821 root" classes={ Object { "disabled": "MuiButtonBase-disabled-766", "focusVisible": "MuiButtonBase-focusVisible-767", "root": "MuiButtonBase-root-765", } } component="button" disableRipple={false} disableTouchRipple={false} disabled={false} focusRipple={true} focusVisibleClassName="MuiButton-focusVisible-834" onClick={[Function]} tabIndex="0" type="button" > <button className="MuiButtonBase-root-765 MuiButton-root-815 MuiButton-text-817 MuiButton-textPrimary-818 MuiButton-flat-820 MuiButton-flatPrimary-821 root" disabled={false} onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} tabIndex="0" type="button" > <span className="MuiButton-label-816" > <span> Enabled </span> </span> <NoSsr defer={false} fallback={null} > <WithStyles(TouchRipple) center={false} innerRef={[Function]} > <TouchRipple center={false} classes={ Object { "child": "MuiTouchRipple-child-812", "childLeaving": "MuiTouchRipple-childLeaving-813", "childPulsate": "MuiTouchRipple-childPulsate-814", "ripple": "MuiTouchRipple-ripple-809", "ripplePulsate": "MuiTouchRipple-ripplePulsate-811", "rippleVisible": "MuiTouchRipple-rippleVisible-810", "root": "MuiTouchRipple-root-808", } } > <TransitionGroup childFactory={[Function]} className="MuiTouchRipple-root-808" component="span" enter={true} exit={true} > <span className="MuiTouchRipple-root-808" /> </TransitionGroup> </TouchRipple> </WithStyles(TouchRipple)> </NoSsr> </button> </ButtonBase> </WithStyles(ButtonBase)> </Button> `; exports[`RecurringRunsManager renders a disable button if the run is enabled, clicking the button calls disable API 1`] = ` <Button className="root" classes={ Object { "colorInherit": "MuiButton-colorInherit-308", "contained": "MuiButton-contained-298", "containedPrimary": "MuiButton-containedPrimary-299", "containedSecondary": "MuiButton-containedSecondary-300", "disabled": "MuiButton-disabled-307", "extendedFab": "MuiButton-extendedFab-305", "fab": "MuiButton-fab-304", "flat": "MuiButton-flat-292", "flatPrimary": "MuiButton-flatPrimary-293", "flatSecondary": "MuiButton-flatSecondary-294", "focusVisible": "MuiButton-focusVisible-306", "fullWidth": "MuiButton-fullWidth-312", "label": "MuiButton-label-288", "mini": "MuiButton-mini-309", "outlined": "MuiButton-outlined-295", "outlinedPrimary": "MuiButton-outlinedPrimary-296", "outlinedSecondary": "MuiButton-outlinedSecondary-297", "raised": "MuiButton-raised-301", "raisedPrimary": "MuiButton-raisedPrimary-302", "raisedSecondary": "MuiButton-raisedSecondary-303", "root": "MuiButton-root-287", "sizeLarge": "MuiButton-sizeLarge-311", "sizeSmall": "MuiButton-sizeSmall-310", "text": "MuiButton-text-289", "textPrimary": "MuiButton-textPrimary-290", "textSecondary": "MuiButton-textSecondary-291", } } color="primary" component="button" disableFocusRipple={false} disabled={false} fullWidth={false} mini={false} onClick={[Function]} size="medium" type="button" variant="text" > <WithStyles(ButtonBase) className="MuiButton-root-287 MuiButton-text-289 MuiButton-textPrimary-290 MuiButton-flat-292 MuiButton-flatPrimary-293 root" component="button" disabled={false} focusRipple={true} focusVisibleClassName="MuiButton-focusVisible-306" onClick={[Function]} type="button" > <ButtonBase centerRipple={false} className="MuiButton-root-287 MuiButton-text-289 MuiButton-textPrimary-290 MuiButton-flat-292 MuiButton-flatPrimary-293 root" classes={ Object { "disabled": "MuiButtonBase-disabled-238", "focusVisible": "MuiButtonBase-focusVisible-239", "root": "MuiButtonBase-root-237", } } component="button" disableRipple={false} disableTouchRipple={false} disabled={false} focusRipple={true} focusVisibleClassName="MuiButton-focusVisible-306" onClick={[Function]} tabIndex="0" type="button" > <button className="MuiButtonBase-root-237 MuiButton-root-287 MuiButton-text-289 MuiButton-textPrimary-290 MuiButton-flat-292 MuiButton-flatPrimary-293 root" disabled={false} onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} tabIndex="0" type="button" > <span className="MuiButton-label-288" > <span> Enabled </span> </span> <NoSsr defer={false} fallback={null} > <WithStyles(TouchRipple) center={false} innerRef={[Function]} > <TouchRipple center={false} classes={ Object { "child": "MuiTouchRipple-child-284", "childLeaving": "MuiTouchRipple-childLeaving-285", "childPulsate": "MuiTouchRipple-childPulsate-286", "ripple": "MuiTouchRipple-ripple-281", "ripplePulsate": "MuiTouchRipple-ripplePulsate-283", "rippleVisible": "MuiTouchRipple-rippleVisible-282", "root": "MuiTouchRipple-root-280", } } > <TransitionGroup childFactory={[Function]} className="MuiTouchRipple-root-280" component="span" enter={true} exit={true} > <span className="MuiTouchRipple-root-280" /> </TransitionGroup> </TouchRipple> </WithStyles(TouchRipple)> </NoSsr> </button> </ButtonBase> </WithStyles(ButtonBase)> </Button> `; exports[`RecurringRunsManager renders an enable button if the run is disabled, clicking the button calls enable API 1`] = ` <Button className="root" classes={ Object { "colorInherit": "MuiButton-colorInherit-484", "contained": "MuiButton-contained-474", "containedPrimary": "MuiButton-containedPrimary-475", "containedSecondary": "MuiButton-containedSecondary-476", "disabled": "MuiButton-disabled-483", "extendedFab": "MuiButton-extendedFab-481", "fab": "MuiButton-fab-480", "flat": "MuiButton-flat-468", "flatPrimary": "MuiButton-flatPrimary-469", "flatSecondary": "MuiButton-flatSecondary-470", "focusVisible": "MuiButton-focusVisible-482", "fullWidth": "MuiButton-fullWidth-488", "label": "MuiButton-label-464", "mini": "MuiButton-mini-485", "outlined": "MuiButton-outlined-471", "outlinedPrimary": "MuiButton-outlinedPrimary-472", "outlinedSecondary": "MuiButton-outlinedSecondary-473", "raised": "MuiButton-raised-477", "raisedPrimary": "MuiButton-raisedPrimary-478", "raisedSecondary": "MuiButton-raisedSecondary-479", "root": "MuiButton-root-463", "sizeLarge": "MuiButton-sizeLarge-487", "sizeSmall": "MuiButton-sizeSmall-486", "text": "MuiButton-text-465", "textPrimary": "MuiButton-textPrimary-466", "textSecondary": "MuiButton-textSecondary-467", } } color="secondary" component="button" disableFocusRipple={false} disabled={false} fullWidth={false} mini={false} onClick={[Function]} size="medium" type="button" variant="text" > <WithStyles(ButtonBase) className="MuiButton-root-463 MuiButton-text-465 MuiButton-textSecondary-467 MuiButton-flat-468 MuiButton-flatSecondary-470 root" component="button" disabled={false} focusRipple={true} focusVisibleClassName="MuiButton-focusVisible-482" onClick={[Function]} type="button" > <ButtonBase centerRipple={false} className="MuiButton-root-463 MuiButton-text-465 MuiButton-textSecondary-467 MuiButton-flat-468 MuiButton-flatSecondary-470 root" classes={ Object { "disabled": "MuiButtonBase-disabled-414", "focusVisible": "MuiButtonBase-focusVisible-415", "root": "MuiButtonBase-root-413", } } component="button" disableRipple={false} disableTouchRipple={false} disabled={false} focusRipple={true} focusVisibleClassName="MuiButton-focusVisible-482" onClick={[Function]} tabIndex="0" type="button" > <button className="MuiButtonBase-root-413 MuiButton-root-463 MuiButton-text-465 MuiButton-textSecondary-467 MuiButton-flat-468 MuiButton-flatSecondary-470 root" disabled={false} onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} tabIndex="0" type="button" > <span className="MuiButton-label-464" > <span> Disabled </span> </span> <NoSsr defer={false} fallback={null} > <WithStyles(TouchRipple) center={false} innerRef={[Function]} > <TouchRipple center={false} classes={ Object { "child": "MuiTouchRipple-child-460", "childLeaving": "MuiTouchRipple-childLeaving-461", "childPulsate": "MuiTouchRipple-childPulsate-462", "ripple": "MuiTouchRipple-ripple-457", "ripplePulsate": "MuiTouchRipple-ripplePulsate-459", "rippleVisible": "MuiTouchRipple-rippleVisible-458", "root": "MuiTouchRipple-root-456", } } > <TransitionGroup childFactory={[Function]} className="MuiTouchRipple-root-456" component="span" enter={true} exit={true} > <span className="MuiTouchRipple-root-456" /> </TransitionGroup> </TouchRipple> </WithStyles(TouchRipple)> </NoSsr> </button> </ButtonBase> </WithStyles(ButtonBase)> </Button> `; exports[`RecurringRunsManager renders an enable button if the run's enabled field is undefined, clicking the button calls enable API 1`] = ` <Button className="root" classes={ Object { "colorInherit": "MuiButton-colorInherit-660", "contained": "MuiButton-contained-650", "containedPrimary": "MuiButton-containedPrimary-651", "containedSecondary": "MuiButton-containedSecondary-652", "disabled": "MuiButton-disabled-659", "extendedFab": "MuiButton-extendedFab-657", "fab": "MuiButton-fab-656", "flat": "MuiButton-flat-644", "flatPrimary": "MuiButton-flatPrimary-645", "flatSecondary": "MuiButton-flatSecondary-646", "focusVisible": "MuiButton-focusVisible-658", "fullWidth": "MuiButton-fullWidth-664", "label": "MuiButton-label-640", "mini": "MuiButton-mini-661", "outlined": "MuiButton-outlined-647", "outlinedPrimary": "MuiButton-outlinedPrimary-648", "outlinedSecondary": "MuiButton-outlinedSecondary-649", "raised": "MuiButton-raised-653", "raisedPrimary": "MuiButton-raisedPrimary-654", "raisedSecondary": "MuiButton-raisedSecondary-655", "root": "MuiButton-root-639", "sizeLarge": "MuiButton-sizeLarge-663", "sizeSmall": "MuiButton-sizeSmall-662", "text": "MuiButton-text-641", "textPrimary": "MuiButton-textPrimary-642", "textSecondary": "MuiButton-textSecondary-643", } } color="secondary" component="button" disableFocusRipple={false} disabled={false} fullWidth={false} mini={false} onClick={[Function]} size="medium" type="button" variant="text" > <WithStyles(ButtonBase) className="MuiButton-root-639 MuiButton-text-641 MuiButton-textSecondary-643 MuiButton-flat-644 MuiButton-flatSecondary-646 root" component="button" disabled={false} focusRipple={true} focusVisibleClassName="MuiButton-focusVisible-658" onClick={[Function]} type="button" > <ButtonBase centerRipple={false} className="MuiButton-root-639 MuiButton-text-641 MuiButton-textSecondary-643 MuiButton-flat-644 MuiButton-flatSecondary-646 root" classes={ Object { "disabled": "MuiButtonBase-disabled-590", "focusVisible": "MuiButtonBase-focusVisible-591", "root": "MuiButtonBase-root-589", } } component="button" disableRipple={false} disableTouchRipple={false} disabled={false} focusRipple={true} focusVisibleClassName="MuiButton-focusVisible-658" onClick={[Function]} tabIndex="0" type="button" > <button className="MuiButtonBase-root-589 MuiButton-root-639 MuiButton-text-641 MuiButton-textSecondary-643 MuiButton-flat-644 MuiButton-flatSecondary-646 root" disabled={false} onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} tabIndex="0" type="button" > <span className="MuiButton-label-640" > <span> Disabled </span> </span> <NoSsr defer={false} fallback={null} > <WithStyles(TouchRipple) center={false} innerRef={[Function]} > <TouchRipple center={false} classes={ Object { "child": "MuiTouchRipple-child-636", "childLeaving": "MuiTouchRipple-childLeaving-637", "childPulsate": "MuiTouchRipple-childPulsate-638", "ripple": "MuiTouchRipple-ripple-633", "ripplePulsate": "MuiTouchRipple-ripplePulsate-635", "rippleVisible": "MuiTouchRipple-rippleVisible-634", "root": "MuiTouchRipple-root-632", } } > <TransitionGroup childFactory={[Function]} className="MuiTouchRipple-root-632" component="span" enter={true} exit={true} > <span className="MuiTouchRipple-root-632" /> </TransitionGroup> </TouchRipple> </WithStyles(TouchRipple)> </NoSsr> </button> </ButtonBase> </WithStyles(ButtonBase)> </Button> `; exports[`RecurringRunsManager renders run name as link to its details page 1`] = ` <Link className="link" replace={false} to="/recurringrun/details/run-id" > test-run </Link> `;
7,826
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/AllRunsList.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`AllRunsList renders all runs 1`] = ` <div className="page" > <RunList hideMetricMetadata={true} history={ Object { "push": [MockFunction], } } location="" match="" onError={[Function]} onSelectionChange={[Function]} selectedIds={Array []} storageState="STORAGESTATE_AVAILABLE" toolbarProps={ Object { "actions": Object { "archive": Object { "action": [Function], "disabled": true, "disabledTitle": "Select at least one resource to archive", "id": "archiveBtn", "title": "Archive", "tooltip": "Archive", }, "cloneRun": Object { "action": [Function], "disabled": true, "disabledTitle": "Select a run to clone", "id": "cloneBtn", "style": Object { "minWidth": 100, }, "title": "Clone run", "tooltip": "Create a copy from this runs initial state", }, "compare": Object { "action": [Function], "disabled": true, "disabledTitle": "Select multiple runs to compare", "id": "compareBtn", "style": Object { "minWidth": 125, }, "title": "Compare runs", "tooltip": "Compare up to 10 selected runs", }, "newExperiment": Object { "action": [Function], "icon": [Function], "id": "newExperimentBtn", "outlined": true, "style": Object { "minWidth": 185, }, "title": "Create experiment", "tooltip": "Create a new experiment", }, "newRun": Object { "action": [Function], "icon": [Function], "id": "createNewRunBtn", "outlined": true, "primary": true, "style": Object { "minWidth": 130, }, "title": "Create run", "tooltip": "Create a new run", }, "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [], "pageTitle": "Experiments", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </div> `;
7,827
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/ExperimentDetails.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`ExperimentDetails fetches this experiment's recurring runs 1`] = ` <div className="page" > <div className="page" > <div className="cardRow" > <WithStyles(Paper) className="card recurringRunsCard cardActive" elevation={0} id="recurringRunsCard" > <div> <div className="cardTitle" > Recurring run configs </div> <div className="cardContent recurringRunsActive" > 1 active </div> <WithStyles(Button) className="cardBtn" disableRipple={true} id="manageExperimentRecurringRunsBtn" onClick={[Function]} > Manage </WithStyles(Button)> </div> </WithStyles(Paper)> <WithStyles(Paper) className="card runStatsCard" elevation={0} id="experimentDescriptionCard" > <div className="cardTitle" > <span> Experiment description </span> <WithStyles(Button) className="popOutIcon popOutButton" id="expandExperimentDescriptionBtn" onClick={[Function]} > <WithStyles(Tooltip) title="Read more" > <pure(LaunchIcon) style={ Object { "fontSize": 18, } } /> </WithStyles(Tooltip)> </WithStyles(Button)> </div> <div key="0" style={ Object { "overflow": "hidden", "textOverflow": "ellipsis", "whiteSpace": "nowrap", } } > mock experiment description </div> </WithStyles(Paper)> </div> <Toolbar actions={ Object { "archive": Object { "action": [Function], "disabled": true, "disabledTitle": "Select at least one resource to archive", "id": "archiveBtn", "title": "Archive", "tooltip": "Archive", }, "cloneRun": Object { "action": [Function], "disabled": true, "disabledTitle": "Select a run to clone", "id": "cloneBtn", "style": Object { "minWidth": 100, }, "title": "Clone run", "tooltip": "Create a copy from this runs initial state", }, "compare": Object { "action": [Function], "disabled": true, "disabledTitle": "Select multiple runs to compare", "id": "compareBtn", "style": Object { "minWidth": 125, }, "title": "Compare runs", "tooltip": "Compare up to 10 selected runs", }, "newRecurringRun": Object { "action": [Function], "icon": [Function], "id": "createNewRecurringRunBtn", "outlined": true, "style": Object { "minWidth": 195, }, "title": "Create recurring run", "tooltip": "Create a new recurring run", }, "newRun": Object { "action": [Function], "icon": [Function], "id": "createNewRunBtn", "outlined": true, "primary": true, "style": Object { "minWidth": 130, }, "title": "Create run", "tooltip": "Create a new run", }, } } breadcrumbs={Array []} pageTitle="Runs" topLevelToolbar={false} /> <RunList experimentIdMask="some-mock-experiment-id" hideExperimentColumn={true} history={ Object { "push": [MockFunction], } } location={Object {}} match={ Object { "params": Object { "eid": "some-mock-experiment-id", }, } } onError={[Function]} onSelectionChange={[Function]} selectedIds={Array []} storageState="STORAGESTATE_AVAILABLE" toolbarProps={ Object { "actions": Object { "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "some-mock-experiment-id", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> <WithStyles(Dialog) classes={ Object { "paper": "recurringRunsDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <RecurringRunsManager experimentId="some-mock-experiment-id" history={ Object { "push": [MockFunction], } } location={Object {}} match={ Object { "params": Object { "eid": "some-mock-experiment-id", }, } } toolbarProps={ Object { "actions": Object { "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "some-mock-experiment-id", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="closeExperimentRecurringRunManagerBtn" onClick={[Function]} > Close </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> </div> </div> `; exports[`ExperimentDetails removes all description text after second newline and replaces with an ellipsis 1`] = ` <div className="page" > <div className="page" > <div className="cardRow" > <WithStyles(Paper) className="card recurringRunsCard" elevation={0} id="recurringRunsCard" > <div> <div className="cardTitle" > Recurring run configs </div> <div className="cardContent" > 0 active </div> <WithStyles(Button) className="cardBtn" disableRipple={true} id="manageExperimentRecurringRunsBtn" onClick={[Function]} > Manage </WithStyles(Button)> </div> </WithStyles(Paper)> <WithStyles(Paper) className="card runStatsCard" elevation={0} id="experimentDescriptionCard" > <div className="cardTitle" > <span> Experiment description </span> <WithStyles(Button) className="popOutIcon popOutButton" id="expandExperimentDescriptionBtn" onClick={[Function]} > <WithStyles(Tooltip) title="Read more" > <pure(LaunchIcon) style={ Object { "fontSize": 18, } } /> </WithStyles(Tooltip)> </WithStyles(Button)> </div> <div key="0" style={ Object { "overflow": "hidden", "textOverflow": "ellipsis", "whiteSpace": "nowrap", } } > Line 1 </div> <div key="1" style={ Object { "overflow": "hidden", "textOverflow": "ellipsis", "whiteSpace": "nowrap", } } > Line 2 </div> ... </WithStyles(Paper)> </div> <Toolbar actions={ Object { "archive": Object { "action": [Function], "disabled": true, "disabledTitle": "Select at least one resource to archive", "id": "archiveBtn", "title": "Archive", "tooltip": "Archive", }, "cloneRun": Object { "action": [Function], "disabled": true, "disabledTitle": "Select a run to clone", "id": "cloneBtn", "style": Object { "minWidth": 100, }, "title": "Clone run", "tooltip": "Create a copy from this runs initial state", }, "compare": Object { "action": [Function], "disabled": true, "disabledTitle": "Select multiple runs to compare", "id": "compareBtn", "style": Object { "minWidth": 125, }, "title": "Compare runs", "tooltip": "Compare up to 10 selected runs", }, "newRecurringRun": Object { "action": [Function], "icon": [Function], "id": "createNewRecurringRunBtn", "outlined": true, "style": Object { "minWidth": 195, }, "title": "Create recurring run", "tooltip": "Create a new recurring run", }, "newRun": Object { "action": [Function], "icon": [Function], "id": "createNewRunBtn", "outlined": true, "primary": true, "style": Object { "minWidth": 130, }, "title": "Create run", "tooltip": "Create a new run", }, } } breadcrumbs={Array []} pageTitle="Runs" topLevelToolbar={false} /> <RunList experimentIdMask="some-mock-experiment-id" hideExperimentColumn={true} history={ Object { "push": [MockFunction], } } location={Object {}} match={ Object { "params": Object { "eid": "some-mock-experiment-id", }, } } onError={[Function]} onSelectionChange={[Function]} selectedIds={Array []} storageState="STORAGESTATE_AVAILABLE" toolbarProps={ Object { "actions": Object { "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "some-mock-experiment-id", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> <WithStyles(Dialog) classes={ Object { "paper": "recurringRunsDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <RecurringRunsManager experimentId="some-mock-experiment-id" history={ Object { "push": [MockFunction], } } location={Object {}} match={ Object { "params": Object { "eid": "some-mock-experiment-id", }, } } toolbarProps={ Object { "actions": Object { "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "some-mock-experiment-id", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="closeExperimentRecurringRunManagerBtn" onClick={[Function]} > Close </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> </div> </div> `; exports[`ExperimentDetails renders a page with no runs or recurring runs 1`] = ` <div className="page" > <div className="page" > <div className="cardRow" > <WithStyles(Paper) className="card recurringRunsCard" elevation={0} id="recurringRunsCard" > <div> <div className="cardTitle" > Recurring run configs </div> <div className="cardContent" > 0 active </div> <WithStyles(Button) className="cardBtn" disableRipple={true} id="manageExperimentRecurringRunsBtn" onClick={[Function]} > Manage </WithStyles(Button)> </div> </WithStyles(Paper)> <WithStyles(Paper) className="card runStatsCard" elevation={0} id="experimentDescriptionCard" > <div className="cardTitle" > <span> Experiment description </span> <WithStyles(Button) className="popOutIcon popOutButton" id="expandExperimentDescriptionBtn" onClick={[Function]} > <WithStyles(Tooltip) title="Read more" > <pure(LaunchIcon) style={ Object { "fontSize": 18, } } /> </WithStyles(Tooltip)> </WithStyles(Button)> </div> <div key="0" style={ Object { "overflow": "hidden", "textOverflow": "ellipsis", "whiteSpace": "nowrap", } } > mock experiment description </div> </WithStyles(Paper)> </div> <Toolbar actions={ Object { "archive": Object { "action": [Function], "disabled": true, "disabledTitle": "Select at least one resource to archive", "id": "archiveBtn", "title": "Archive", "tooltip": "Archive", }, "cloneRun": Object { "action": [Function], "disabled": true, "disabledTitle": "Select a run to clone", "id": "cloneBtn", "style": Object { "minWidth": 100, }, "title": "Clone run", "tooltip": "Create a copy from this runs initial state", }, "compare": Object { "action": [Function], "disabled": true, "disabledTitle": "Select multiple runs to compare", "id": "compareBtn", "style": Object { "minWidth": 125, }, "title": "Compare runs", "tooltip": "Compare up to 10 selected runs", }, "newRecurringRun": Object { "action": [Function], "icon": [Function], "id": "createNewRecurringRunBtn", "outlined": true, "style": Object { "minWidth": 195, }, "title": "Create recurring run", "tooltip": "Create a new recurring run", }, "newRun": Object { "action": [Function], "icon": [Function], "id": "createNewRunBtn", "outlined": true, "primary": true, "style": Object { "minWidth": 130, }, "title": "Create run", "tooltip": "Create a new run", }, } } breadcrumbs={Array []} pageTitle="Runs" topLevelToolbar={false} /> <RunList experimentIdMask="some-mock-experiment-id" hideExperimentColumn={true} history={ Object { "push": [MockFunction], } } location={Object {}} match={ Object { "params": Object { "eid": "some-mock-experiment-id", }, } } onError={[Function]} onSelectionChange={[Function]} selectedIds={Array []} storageState="STORAGESTATE_AVAILABLE" toolbarProps={ Object { "actions": Object { "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "some-mock-experiment-id", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> <WithStyles(Dialog) classes={ Object { "paper": "recurringRunsDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <RecurringRunsManager experimentId="some-mock-experiment-id" history={ Object { "push": [MockFunction], } } location={Object {}} match={ Object { "params": Object { "eid": "some-mock-experiment-id", }, } } toolbarProps={ Object { "actions": Object { "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "some-mock-experiment-id", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="closeExperimentRecurringRunManagerBtn" onClick={[Function]} > Close </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> </div> </div> `; exports[`ExperimentDetails uses an empty string if the experiment has no description 1`] = ` <div className="page" > <div className="page" > <div className="cardRow" > <WithStyles(Paper) className="card recurringRunsCard" elevation={0} id="recurringRunsCard" > <div> <div className="cardTitle" > Recurring run configs </div> <div className="cardContent" > 0 active </div> <WithStyles(Button) className="cardBtn" disableRipple={true} id="manageExperimentRecurringRunsBtn" onClick={[Function]} > Manage </WithStyles(Button)> </div> </WithStyles(Paper)> <WithStyles(Paper) className="card runStatsCard" elevation={0} id="experimentDescriptionCard" > <div className="cardTitle" > <span> Experiment description </span> <WithStyles(Button) className="popOutIcon popOutButton" id="expandExperimentDescriptionBtn" onClick={[Function]} > <WithStyles(Tooltip) title="Read more" > <pure(LaunchIcon) style={ Object { "fontSize": 18, } } /> </WithStyles(Tooltip)> </WithStyles(Button)> </div> <div key="0" style={ Object { "overflow": "hidden", "textOverflow": "ellipsis", "whiteSpace": "nowrap", } } /> </WithStyles(Paper)> </div> <Toolbar actions={ Object { "archive": Object { "action": [Function], "disabled": true, "disabledTitle": "Select at least one resource to archive", "id": "archiveBtn", "title": "Archive", "tooltip": "Archive", }, "cloneRun": Object { "action": [Function], "disabled": true, "disabledTitle": "Select a run to clone", "id": "cloneBtn", "style": Object { "minWidth": 100, }, "title": "Clone run", "tooltip": "Create a copy from this runs initial state", }, "compare": Object { "action": [Function], "disabled": true, "disabledTitle": "Select multiple runs to compare", "id": "compareBtn", "style": Object { "minWidth": 125, }, "title": "Compare runs", "tooltip": "Compare up to 10 selected runs", }, "newRecurringRun": Object { "action": [Function], "icon": [Function], "id": "createNewRecurringRunBtn", "outlined": true, "style": Object { "minWidth": 195, }, "title": "Create recurring run", "tooltip": "Create a new recurring run", }, "newRun": Object { "action": [Function], "icon": [Function], "id": "createNewRunBtn", "outlined": true, "primary": true, "style": Object { "minWidth": 130, }, "title": "Create run", "tooltip": "Create a new run", }, } } breadcrumbs={Array []} pageTitle="Runs" topLevelToolbar={false} /> <RunList experimentIdMask="some-mock-experiment-id" hideExperimentColumn={true} history={ Object { "push": [MockFunction], } } location={Object {}} match={ Object { "params": Object { "eid": "some-mock-experiment-id", }, } } onError={[Function]} onSelectionChange={[Function]} selectedIds={Array []} storageState="STORAGESTATE_AVAILABLE" toolbarProps={ Object { "actions": Object { "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "some-mock-experiment-id", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> <WithStyles(Dialog) classes={ Object { "paper": "recurringRunsDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <RecurringRunsManager experimentId="some-mock-experiment-id" history={ Object { "push": [MockFunction], } } location={Object {}} match={ Object { "params": Object { "eid": "some-mock-experiment-id", }, } } toolbarProps={ Object { "actions": Object { "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "some-mock-experiment-id", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="closeExperimentRecurringRunManagerBtn" onClick={[Function]} > Close </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> </div> </div> `;
7,828
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/RunList.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`RunList adds metrics columns 1`] = ` <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1.5, "label": "Run name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Status", }, Object { "flex": 0.5, "label": "Duration", }, Object { "customRenderer": [Function], "flex": 1, "label": "Experiment", }, Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline Version", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Recurring Run", }, Object { "flex": 1, "label": "Start time", "sortKey": "created_at", }, Object { "customRenderer": [Function], "flex": 0.1, "label": "", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "metric1", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "metric2", }, ] } emptyMessage="No available runs found." filterLabel="Filter runs" initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "error": undefined, "id": "testrun1", "otherFields": Array [ "run with id: testrun1", "Succeeded", "-", undefined, undefined, undefined, "-", "", Object { "metadata": Object { "count": 2, "maxValue": 5, "minValue": 5, "name": "metric1", }, "metric": Object { "name": "metric1", "number_value": 5, }, }, Object { "metadata": Object { "count": 2, "maxValue": 10, "minValue": 10, "name": "metric2", }, "metric": Object { "name": "metric2", "number_value": 10, }, }, ], }, Object { "error": undefined, "id": "testrun2", "otherFields": Array [ "run with id: testrun2", "Succeeded", "-", undefined, undefined, undefined, "-", "", Object { "metadata": Object { "count": 2, "maxValue": 5, "minValue": 5, "name": "metric1", }, "metric": Object { "name": "metric1", "number_value": 5, }, }, Object { "metadata": Object { "count": 2, "maxValue": 10, "minValue": 10, "name": "metric2", }, "metric": Object { "name": "metric2", "number_value": 10, }, }, ], }, ] } /> </div> `; exports[`RunList displays error in run row if experiment could not be fetched 1`] = ` <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1.5, "label": "Run name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Status", }, Object { "flex": 0.5, "label": "Duration", }, Object { "customRenderer": [Function], "flex": 1, "label": "Experiment", }, Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline Version", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Recurring Run", }, Object { "flex": 1, "label": "Start time", "sortKey": "created_at", }, ] } emptyMessage="No available runs found." filterLabel="Filter runs" initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "error": "Failed to get associated experiment: bad stuff happened", "id": "testrun1", "otherFields": Array [ "run with id: testrun1", "-", "-", undefined, undefined, undefined, "-", ], }, ] } /> </div> `; exports[`RunList displays error in run row if it failed to parse (run list mask) 1`] = ` <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1.5, "label": "Run name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Status", }, Object { "flex": 0.5, "label": "Duration", }, Object { "customRenderer": [Function], "flex": 1, "label": "Experiment", }, Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline Version", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Recurring Run", }, Object { "flex": 1, "label": "Start time", "sortKey": "created_at", }, ] } emptyMessage="No available runs found." filterLabel="Filter runs" initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "error": "bad stuff happened", "id": "testrun1", "otherFields": Array [ undefined, "-", "-", undefined, undefined, undefined, "-", ], }, Object { "error": "Cannot read property 'run' of undefined", "id": "testrun2", "otherFields": Array [ undefined, "-", "-", undefined, undefined, undefined, "-", ], }, ] } /> </div> `; exports[`RunList displays error in run row if pipeline could not be fetched 1`] = ` <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1.5, "label": "Run name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Status", }, Object { "flex": 0.5, "label": "Duration", }, Object { "customRenderer": [Function], "flex": 1, "label": "Experiment", }, Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline Version", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Recurring Run", }, Object { "flex": 1, "label": "Start time", "sortKey": "created_at", }, ] } emptyMessage="No available runs found." filterLabel="Filter runs" initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "error": "Failed to get associated pipeline: bad stuff happened", "id": "testrun1", "otherFields": Array [ "run with id: testrun1", "-", "-", undefined, undefined, undefined, "-", ], }, ] } /> </div> `; exports[`RunList handles no pipeline id given 1`] = ` <div> - </div> `; exports[`RunList handles no pipeline name 1`] = ` <Link className="link" onClick={[Function]} replace={false} to="/pipelines/details/?fromRun=run-id" > [View pipeline] </Link> `; exports[`RunList hides experiment name if instructed 1`] = ` <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1.5, "label": "Run name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Status", }, Object { "flex": 0.5, "label": "Duration", }, Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline Version", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Recurring Run", }, Object { "flex": 1, "label": "Start time", "sortKey": "created_at", }, ] } emptyMessage="No available runs found." filterLabel="Filter runs" initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "error": undefined, "id": "testrun1", "otherFields": Array [ "run with id: testrun1", "-", "-", undefined, undefined, "-", ], }, ] } /> </div> `; exports[`RunList in archived state renders the empty experience 1`] = ` <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1.5, "label": "Run name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Status", }, Object { "flex": 0.5, "label": "Duration", }, Object { "customRenderer": [Function], "flex": 1, "label": "Experiment", }, Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline Version", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Recurring Run", }, Object { "flex": 1, "label": "Start time", "sortKey": "created_at", }, ] } emptyMessage="No archived runs found." filterLabel="Filter runs" initialSortColumn="created_at" reload={[Function]} rows={Array []} /> </div> `; exports[`RunList loads multiple runs 1`] = ` <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1.5, "label": "Run name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Status", }, Object { "flex": 0.5, "label": "Duration", }, Object { "customRenderer": [Function], "flex": 1, "label": "Experiment", }, Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline Version", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Recurring Run", }, Object { "flex": 1, "label": "Start time", "sortKey": "created_at", }, ] } emptyMessage="No available runs found." filterLabel="Filter runs" initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "error": undefined, "id": "testrun1", "otherFields": Array [ "run with id: testrun1", "-", "-", undefined, undefined, undefined, "-", ], }, Object { "error": undefined, "id": "testrun2", "otherFields": Array [ "run with id: testrun2", "-", "-", undefined, undefined, undefined, "-", ], }, Object { "error": undefined, "id": "testrun3", "otherFields": Array [ "run with id: testrun3", "-", "-", undefined, undefined, undefined, "-", ], }, Object { "error": undefined, "id": "testrun4", "otherFields": Array [ "run with id: testrun4", "-", "-", undefined, undefined, undefined, "-", ], }, Object { "error": undefined, "id": "testrun5", "otherFields": Array [ "run with id: testrun5", "-", "-", undefined, undefined, undefined, "-", ], }, ] } /> </div> `; exports[`RunList loads one run 1`] = ` <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1.5, "label": "Run name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Status", }, Object { "flex": 0.5, "label": "Duration", }, Object { "customRenderer": [Function], "flex": 1, "label": "Experiment", }, Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline Version", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Recurring Run", }, Object { "flex": 1, "label": "Start time", "sortKey": "created_at", }, ] } emptyMessage="No available runs found." filterLabel="Filter runs" initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "error": undefined, "id": "testrun1", "otherFields": Array [ "run with id: testrun1", "-", "-", undefined, undefined, undefined, "-", ], }, ] } /> </div> `; exports[`RunList reloads the run when refresh is called 1`] = ` <RunList history={Object {}} location={ Object { "search": "", } } match="" onError={[MockFunction]} > <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1.5, "label": "Run name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Status", }, Object { "flex": 0.5, "label": "Duration", }, Object { "customRenderer": [Function], "flex": 1, "label": "Experiment", }, Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline Version", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Recurring Run", }, Object { "flex": 1, "label": "Start time", "sortKey": "created_at", }, ] } emptyMessage="No available runs found." filterLabel="Filter runs" initialSortColumn="created_at" reload={[Function]} rows={Array []} > <div className="pageOverflowHidden" > <div> <Input InputLabelProps={ Object { "classes": Object { "root": "noMargin", }, } } InputProps={ Object { "classes": Object { "notchedOutline": "filterBorderRadius", "root": "noLeftPadding", }, "startAdornment": <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)>, } } className="filterBox" height={48} id="tableFilterBox" label="Filter runs" maxWidth="100%" onChange={[Function]} value="" variant="outlined" > <TextField InputLabelProps={ Object { "classes": Object { "root": "noMargin", }, } } InputProps={ Object { "classes": Object { "notchedOutline": "filterBorderRadius", "root": "noLeftPadding", }, "startAdornment": <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)>, } } className="filterBox" id="tableFilterBox" label="Filter runs" onChange={[Function]} required={false} select={false} spellCheck={false} style={ Object { "height": 48, "maxWidth": "100%", "width": "100%", } } value="" variant="outlined" > <WithStyles(FormControl) className="filterBox" required={false} spellCheck={false} style={ Object { "height": 48, "maxWidth": "100%", "width": "100%", } } variant="outlined" > <FormControl className="filterBox" classes={ Object { "fullWidth": "MuiFormControl-fullWidth-4", "marginDense": "MuiFormControl-marginDense-3", "marginNormal": "MuiFormControl-marginNormal-2", "root": "MuiFormControl-root-1", } } component="div" disabled={false} error={false} fullWidth={false} margin="none" required={false} spellCheck={false} style={ Object { "height": 48, "maxWidth": "100%", "width": "100%", } } variant="outlined" > <div className="MuiFormControl-root-1 filterBox" spellCheck={false} style={ Object { "height": 48, "maxWidth": "100%", "width": "100%", } } > <WithStyles(WithFormControlContext(InputLabel)) classes={ Object { "root": "noMargin", } } htmlFor="tableFilterBox" > <WithFormControlContext(InputLabel) classes={ Object { "animated": "MuiInputLabel-animated-13", "disabled": "MuiInputLabel-disabled-7", "error": "MuiInputLabel-error-8", "filled": "MuiInputLabel-filled-14", "focused": "MuiInputLabel-focused-6", "formControl": "MuiInputLabel-formControl-10", "marginDense": "MuiInputLabel-marginDense-11", "outlined": "MuiInputLabel-outlined-15", "required": "MuiInputLabel-required-9", "root": "MuiInputLabel-root-5 noMargin", "shrink": "MuiInputLabel-shrink-12", } } htmlFor="tableFilterBox" > <InputLabel classes={ Object { "animated": "MuiInputLabel-animated-13", "disabled": "MuiInputLabel-disabled-7", "error": "MuiInputLabel-error-8", "filled": "MuiInputLabel-filled-14", "focused": "MuiInputLabel-focused-6", "formControl": "MuiInputLabel-formControl-10", "marginDense": "MuiInputLabel-marginDense-11", "outlined": "MuiInputLabel-outlined-15", "required": "MuiInputLabel-required-9", "root": "MuiInputLabel-root-5 noMargin", "shrink": "MuiInputLabel-shrink-12", } } disableAnimation={false} htmlFor="tableFilterBox" muiFormControl={ Object { "adornedStart": true, "disabled": false, "error": false, "filled": false, "focused": false, "margin": "none", "onBlur": [Function], "onEmpty": [Function], "onFilled": [Function], "onFocus": [Function], "required": false, "variant": "outlined", } } > <WithStyles(WithFormControlContext(FormLabel)) className="MuiInputLabel-root-5 noMargin MuiInputLabel-formControl-10 MuiInputLabel-animated-13 MuiInputLabel-shrink-12 MuiInputLabel-outlined-15" classes={ Object { "disabled": "MuiInputLabel-disabled-7", "error": "MuiInputLabel-error-8", "focused": "MuiInputLabel-focused-6", "required": "MuiInputLabel-required-9", } } data-shrink={true} htmlFor="tableFilterBox" > <WithFormControlContext(FormLabel) className="MuiInputLabel-root-5 noMargin MuiInputLabel-formControl-10 MuiInputLabel-animated-13 MuiInputLabel-shrink-12 MuiInputLabel-outlined-15" classes={ Object { "asterisk": "MuiFormLabel-asterisk-22", "disabled": "MuiFormLabel-disabled-18 MuiInputLabel-disabled-7", "error": "MuiFormLabel-error-19 MuiInputLabel-error-8", "filled": "MuiFormLabel-filled-20", "focused": "MuiFormLabel-focused-17 MuiInputLabel-focused-6", "required": "MuiFormLabel-required-21 MuiInputLabel-required-9", "root": "MuiFormLabel-root-16", } } data-shrink={true} htmlFor="tableFilterBox" > <FormLabel className="MuiInputLabel-root-5 noMargin MuiInputLabel-formControl-10 MuiInputLabel-animated-13 MuiInputLabel-shrink-12 MuiInputLabel-outlined-15" classes={ Object { "asterisk": "MuiFormLabel-asterisk-22", "disabled": "MuiFormLabel-disabled-18 MuiInputLabel-disabled-7", "error": "MuiFormLabel-error-19 MuiInputLabel-error-8", "filled": "MuiFormLabel-filled-20", "focused": "MuiFormLabel-focused-17 MuiInputLabel-focused-6", "required": "MuiFormLabel-required-21 MuiInputLabel-required-9", "root": "MuiFormLabel-root-16", } } component="label" data-shrink={true} htmlFor="tableFilterBox" muiFormControl={ Object { "adornedStart": true, "disabled": false, "error": false, "filled": false, "focused": false, "margin": "none", "onBlur": [Function], "onEmpty": [Function], "onFilled": [Function], "onFocus": [Function], "required": false, "variant": "outlined", } } > <label className="MuiFormLabel-root-16 MuiInputLabel-root-5 noMargin MuiInputLabel-formControl-10 MuiInputLabel-animated-13 MuiInputLabel-shrink-12 MuiInputLabel-outlined-15" data-shrink={true} htmlFor="tableFilterBox" > Filter runs </label> </FormLabel> </WithFormControlContext(FormLabel)> </WithStyles(WithFormControlContext(FormLabel))> </InputLabel> </WithFormControlContext(InputLabel)> </WithStyles(WithFormControlContext(InputLabel))> <WithStyles(OutlinedInput) classes={ Object { "notchedOutline": "filterBorderRadius", "root": "noLeftPadding", } } id="tableFilterBox" labelWidth={0} onChange={[Function]} startAdornment={ <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)> } value="" > <OutlinedInput classes={ Object { "adornedEnd": "MuiOutlinedInput-adornedEnd-27", "adornedStart": "MuiOutlinedInput-adornedStart-26", "disabled": "MuiOutlinedInput-disabled-25", "error": "MuiOutlinedInput-error-28", "focused": "MuiOutlinedInput-focused-24", "input": "MuiOutlinedInput-input-31", "inputAdornedEnd": "MuiOutlinedInput-inputAdornedEnd-35", "inputAdornedStart": "MuiOutlinedInput-inputAdornedStart-34", "inputMarginDense": "MuiOutlinedInput-inputMarginDense-32", "inputMultiline": "MuiOutlinedInput-inputMultiline-33", "multiline": "MuiOutlinedInput-multiline-29", "notchedOutline": "MuiOutlinedInput-notchedOutline-30 filterBorderRadius", "root": "MuiOutlinedInput-root-23 noLeftPadding", } } id="tableFilterBox" labelWidth={0} onChange={[Function]} startAdornment={ <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)> } value="" > <WithStyles(WithFormControlContext(InputBase)) classes={ Object { "adornedEnd": "MuiOutlinedInput-adornedEnd-27", "adornedStart": "MuiOutlinedInput-adornedStart-26", "disabled": "MuiOutlinedInput-disabled-25", "error": "MuiOutlinedInput-error-28", "focused": "MuiOutlinedInput-focused-24", "input": "MuiOutlinedInput-input-31", "inputAdornedEnd": "MuiOutlinedInput-inputAdornedEnd-35", "inputAdornedStart": "MuiOutlinedInput-inputAdornedStart-34", "inputMarginDense": "MuiOutlinedInput-inputMarginDense-32", "inputMultiline": "MuiOutlinedInput-inputMultiline-33", "multiline": "MuiOutlinedInput-multiline-29", "notchedOutline": null, "root": "MuiOutlinedInput-root-23 noLeftPadding", } } fullWidth={false} id="tableFilterBox" inputComponent="input" multiline={false} onChange={[Function]} renderPrefix={[Function]} startAdornment={ <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)> } type="text" value="" > <WithFormControlContext(InputBase) classes={ Object { "adornedEnd": "MuiInputBase-adornedEnd-41 MuiOutlinedInput-adornedEnd-27", "adornedStart": "MuiInputBase-adornedStart-40 MuiOutlinedInput-adornedStart-26", "disabled": "MuiInputBase-disabled-39 MuiOutlinedInput-disabled-25", "error": "MuiInputBase-error-42 MuiOutlinedInput-error-28", "focused": "MuiInputBase-focused-38 MuiOutlinedInput-focused-24", "formControl": "MuiInputBase-formControl-37", "fullWidth": "MuiInputBase-fullWidth-45", "input": "MuiInputBase-input-46 MuiOutlinedInput-input-31", "inputAdornedEnd": "MuiInputBase-inputAdornedEnd-52 MuiOutlinedInput-inputAdornedEnd-35", "inputAdornedStart": "MuiInputBase-inputAdornedStart-51 MuiOutlinedInput-inputAdornedStart-34", "inputMarginDense": "MuiInputBase-inputMarginDense-47 MuiOutlinedInput-inputMarginDense-32", "inputMultiline": "MuiInputBase-inputMultiline-48 MuiOutlinedInput-inputMultiline-33", "inputType": "MuiInputBase-inputType-49", "inputTypeSearch": "MuiInputBase-inputTypeSearch-50", "marginDense": "MuiInputBase-marginDense-43", "multiline": "MuiInputBase-multiline-44 MuiOutlinedInput-multiline-29", "root": "MuiInputBase-root-36 MuiOutlinedInput-root-23 noLeftPadding", } } fullWidth={false} id="tableFilterBox" inputComponent="input" multiline={false} onChange={[Function]} renderPrefix={[Function]} startAdornment={ <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)> } type="text" value="" > <InputBase classes={ Object { "adornedEnd": "MuiInputBase-adornedEnd-41 MuiOutlinedInput-adornedEnd-27", "adornedStart": "MuiInputBase-adornedStart-40 MuiOutlinedInput-adornedStart-26", "disabled": "MuiInputBase-disabled-39 MuiOutlinedInput-disabled-25", "error": "MuiInputBase-error-42 MuiOutlinedInput-error-28", "focused": "MuiInputBase-focused-38 MuiOutlinedInput-focused-24", "formControl": "MuiInputBase-formControl-37", "fullWidth": "MuiInputBase-fullWidth-45", "input": "MuiInputBase-input-46 MuiOutlinedInput-input-31", "inputAdornedEnd": "MuiInputBase-inputAdornedEnd-52 MuiOutlinedInput-inputAdornedEnd-35", "inputAdornedStart": "MuiInputBase-inputAdornedStart-51 MuiOutlinedInput-inputAdornedStart-34", "inputMarginDense": "MuiInputBase-inputMarginDense-47 MuiOutlinedInput-inputMarginDense-32", "inputMultiline": "MuiInputBase-inputMultiline-48 MuiOutlinedInput-inputMultiline-33", "inputType": "MuiInputBase-inputType-49", "inputTypeSearch": "MuiInputBase-inputTypeSearch-50", "marginDense": "MuiInputBase-marginDense-43", "multiline": "MuiInputBase-multiline-44 MuiOutlinedInput-multiline-29", "root": "MuiInputBase-root-36 MuiOutlinedInput-root-23 noLeftPadding", } } fullWidth={false} id="tableFilterBox" inputComponent="input" muiFormControl={ Object { "adornedStart": true, "disabled": false, "error": false, "filled": false, "focused": false, "margin": "none", "onBlur": [Function], "onEmpty": [Function], "onFilled": [Function], "onFocus": [Function], "required": false, "variant": "outlined", } } multiline={false} onChange={[Function]} renderPrefix={[Function]} startAdornment={ <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)> } type="text" value="" > <div className="MuiInputBase-root-36 MuiOutlinedInput-root-23 noLeftPadding MuiInputBase-formControl-37 MuiInputBase-adornedStart-40 MuiOutlinedInput-adornedStart-26" onClick={[Function]} > <WithStyles(NotchedOutline) className="MuiOutlinedInput-notchedOutline-30 filterBorderRadius" labelWidth={0} notched={true} > <NotchedOutline className="MuiOutlinedInput-notchedOutline-30 filterBorderRadius" classes={ Object { "legend": "MuiPrivateNotchedOutline-legend-54", "root": "MuiPrivateNotchedOutline-root-53", } } labelWidth={0} notched={true} theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } > <fieldset aria-hidden={true} className="MuiPrivateNotchedOutline-root-53 MuiOutlinedInput-notchedOutline-30 filterBorderRadius" style={ Object { "paddingLeft": 8, } } > <legend className="MuiPrivateNotchedOutline-legend-54" style={ Object { "width": 0, } } > <span dangerouslySetInnerHTML={ Object { "__html": "&#8203;", } } /> </legend> </fieldset> </NotchedOutline> </WithStyles(NotchedOutline)> <WithStyles(InputAdornment) position="end" > <InputAdornment classes={ Object { "filled": "MuiInputAdornment-filled-56", "positionEnd": "MuiInputAdornment-positionEnd-58", "positionStart": "MuiInputAdornment-positionStart-57", "root": "MuiInputAdornment-root-55", } } component="div" disableTypography={false} position="end" > <div className="MuiInputAdornment-root-55 MuiInputAdornment-positionEnd-58" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } > <FilterListIcon style={ Object { "color": "#80868b", "paddingRight": 16, } } > <WithStyles(SvgIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } > <SvgIcon classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" style={ Object { "color": "#80868b", "paddingRight": 16, } } viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59" focusable="false" role="presentation" style={ Object { "color": "#80868b", "paddingRight": 16, } } viewBox="0 0 24 24" > <path d="M10 18h4v-2h-4v2zM3 6v2h18V6H3zm3 7h12v-2H6v2z" /> <path d="M0 0h24v24H0z" fill="none" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </FilterListIcon> </pure(FilterListIcon)> </div> </InputAdornment> </WithStyles(InputAdornment)> <input aria-invalid={false} className="MuiInputBase-input-46 MuiOutlinedInput-input-31 MuiInputBase-inputAdornedStart-51 MuiOutlinedInput-inputAdornedStart-34" disabled={false} id="tableFilterBox" onBlur={[Function]} onChange={[Function]} onFocus={[Function]} required={false} type="text" value="" /> </div> </InputBase> </WithFormControlContext(InputBase)> </WithStyles(WithFormControlContext(InputBase))> </OutlinedInput> </WithStyles(OutlinedInput)> </div> </FormControl> </WithStyles(FormControl)> </TextField> </Input> </div> <div className="header" > <div className="columnName cell selectionToggle" > <WithStyles(Checkbox) checked={false} color="primary" indeterminate={false} onChange={[Function]} > <Checkbox checked={false} checkedIcon={<pure(CheckBox) />} classes={ Object { "checked": "MuiCheckbox-checked-69", "colorPrimary": "MuiCheckbox-colorPrimary-72", "colorSecondary": "MuiCheckbox-colorSecondary-73", "disabled": "MuiCheckbox-disabled-70", "indeterminate": "MuiCheckbox-indeterminate-71", "root": "MuiCheckbox-root-68", } } color="primary" icon={<pure(CheckBoxOutlineBlank) />} indeterminate={false} indeterminateIcon={<pure(IndeterminateCheckBox) />} onChange={[Function]} > <WithStyles(WithFormControlContext(SwitchBase)) checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiCheckbox-checked-69", "disabled": "MuiCheckbox-disabled-70", "root": "MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } onChange={[Function]} type="checkbox" > <WithFormControlContext(SwitchBase) checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiPrivateSwitchBase-checked-75 MuiCheckbox-checked-69", "disabled": "MuiPrivateSwitchBase-disabled-76 MuiCheckbox-disabled-70", "input": "MuiPrivateSwitchBase-input-77", "root": "MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } onChange={[Function]} type="checkbox" > <SwitchBase checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiPrivateSwitchBase-checked-75 MuiCheckbox-checked-69", "disabled": "MuiPrivateSwitchBase-disabled-76 MuiCheckbox-disabled-70", "input": "MuiPrivateSwitchBase-input-77", "root": "MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } onChange={[Function]} type="checkbox" > <WithStyles(IconButton) className="MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" component="span" onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <IconButton className="MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" classes={ Object { "colorInherit": "MuiIconButton-colorInherit-79", "colorPrimary": "MuiIconButton-colorPrimary-80", "colorSecondary": "MuiIconButton-colorSecondary-81", "disabled": "MuiIconButton-disabled-82", "label": "MuiIconButton-label-83", "root": "MuiIconButton-root-78", } } color="default" component="span" disabled={false} onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <WithStyles(ButtonBase) centerRipple={true} className="MuiIconButton-root-78 MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" component="span" disabled={false} focusRipple={true} onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <ButtonBase centerRipple={true} className="MuiIconButton-root-78 MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" classes={ Object { "disabled": "MuiButtonBase-disabled-85", "focusVisible": "MuiButtonBase-focusVisible-86", "root": "MuiButtonBase-root-84", } } component="span" disableRipple={false} disableTouchRipple={false} disabled={false} focusRipple={true} onBlur={[Function]} onFocus={[Function]} tabIndex={null} type="button" > <span className="MuiButtonBase-root-84 MuiIconButton-root-78 MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" onBlur={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} tabIndex={null} > <span className="MuiIconButton-label-83" > <pure(CheckBoxOutlineBlank)> <CheckBoxOutlineBlank> <WithStyles(SvgIcon)> <SvgIcon classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M19 5v14H5V5h14m0-2H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </CheckBoxOutlineBlank> </pure(CheckBoxOutlineBlank)> <input checked={false} className="MuiPrivateSwitchBase-input-77" data-indeterminate={false} onChange={[Function]} type="checkbox" /> </span> <NoSsr defer={false} fallback={null} > <WithStyles(TouchRipple) center={true} innerRef={[Function]} > <TouchRipple center={true} classes={ Object { "child": "MuiTouchRipple-child-128", "childLeaving": "MuiTouchRipple-childLeaving-129", "childPulsate": "MuiTouchRipple-childPulsate-130", "ripple": "MuiTouchRipple-ripple-125", "ripplePulsate": "MuiTouchRipple-ripplePulsate-127", "rippleVisible": "MuiTouchRipple-rippleVisible-126", "root": "MuiTouchRipple-root-124", } } > <TransitionGroup childFactory={[Function]} className="MuiTouchRipple-root-124" component="span" enter={true} exit={true} > <span className="MuiTouchRipple-root-124" /> </TransitionGroup> </TouchRipple> </WithStyles(TouchRipple)> </NoSsr> </span> </ButtonBase> </WithStyles(ButtonBase)> </IconButton> </WithStyles(IconButton)> </SwitchBase> </WithFormControlContext(SwitchBase)> </WithStyles(WithFormControlContext(SwitchBase))> </Checkbox> </WithStyles(Checkbox)> </div> <div className="columnName" key="0" style={ Object { "width": "25%", } } title="Run name" > <WithStyles(Tooltip) enterDelay={300} title="Sort" > <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-87", "popperInteractive": "MuiTooltip-popperInteractive-88", "tooltip": "MuiTooltip-tooltip-89", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-94", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-91", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-92", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-93", "touch": "MuiTooltip-touch-90", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={300} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title="Sort" > <RootRef rootRef={[Function]} > <WithStyles(TableSortLabel) active={false} aria-describedby={null} className="ellipsis" direction="desc" onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Sort" > <TableSortLabel IconComponent={[Function]} active={false} aria-describedby={null} className="ellipsis" classes={ Object { "active": "MuiTableSortLabel-active-96", "icon": "MuiTableSortLabel-icon-97", "iconDirectionAsc": "MuiTableSortLabel-iconDirectionAsc-99", "iconDirectionDesc": "MuiTableSortLabel-iconDirectionDesc-98", "root": "MuiTableSortLabel-root-95", } } direction="desc" hideSortIcon={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Sort" > <WithStyles(ButtonBase) aria-describedby={null} className="MuiTableSortLabel-root-95 ellipsis" component="span" disableRipple={true} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Sort" > <ButtonBase aria-describedby={null} centerRipple={false} className="MuiTableSortLabel-root-95 ellipsis" classes={ Object { "disabled": "MuiButtonBase-disabled-85", "focusVisible": "MuiButtonBase-focusVisible-86", "root": "MuiButtonBase-root-84", } } component="span" disableRipple={true} disableTouchRipple={false} focusRipple={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} tabIndex="0" title="Sort" type="button" > <span aria-describedby={null} className="MuiButtonBase-root-84 MuiTableSortLabel-root-95 ellipsis" onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} role="button" tabIndex="0" title="Sort" > Run name <pure(ArrowDownward) className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <ArrowDownward className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <WithStyles(SvgIcon) className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <SvgIcon className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59 MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ArrowDownward> </pure(ArrowDownward)> </span> </ButtonBase> </WithStyles(ButtonBase)> </TableSortLabel> </WithStyles(TableSortLabel)> </RootRef> <Popper anchorEl={ <span class="MuiButtonBase-root-84 MuiTableSortLabel-root-95 ellipsis" role="button" tabindex="0" title="Sort" > Run name <svg aria-hidden="true" class="MuiSvgIcon-root-59 MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </span> } className="MuiTooltip-popper-87" disablePortal={false} id={null} open={false} placement="bottom" transition={true} /> </Tooltip> </WithStyles(Tooltip)> </div> <div className="columnName" key="1" style={ Object { "width": "8.333333333333332%", } } title="Status" > <WithStyles(Tooltip) enterDelay={300} title="Cannot sort by this column" > <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-87", "popperInteractive": "MuiTooltip-popperInteractive-88", "tooltip": "MuiTooltip-tooltip-89", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-94", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-91", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-92", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-93", "touch": "MuiTooltip-touch-90", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={300} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title="Cannot sort by this column" > <RootRef rootRef={[Function]} > <WithStyles(TableSortLabel) active={false} aria-describedby={null} className="ellipsis" onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Cannot sort by this column" > <TableSortLabel IconComponent={[Function]} active={false} aria-describedby={null} className="ellipsis" classes={ Object { "active": "MuiTableSortLabel-active-96", "icon": "MuiTableSortLabel-icon-97", "iconDirectionAsc": "MuiTableSortLabel-iconDirectionAsc-99", "iconDirectionDesc": "MuiTableSortLabel-iconDirectionDesc-98", "root": "MuiTableSortLabel-root-95", } } direction="desc" hideSortIcon={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Cannot sort by this column" > <WithStyles(ButtonBase) aria-describedby={null} className="MuiTableSortLabel-root-95 ellipsis" component="span" disableRipple={true} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Cannot sort by this column" > <ButtonBase aria-describedby={null} centerRipple={false} className="MuiTableSortLabel-root-95 ellipsis" classes={ Object { "disabled": "MuiButtonBase-disabled-85", "focusVisible": "MuiButtonBase-focusVisible-86", "root": "MuiButtonBase-root-84", } } component="span" disableRipple={true} disableTouchRipple={false} focusRipple={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} tabIndex="0" title="Cannot sort by this column" type="button" > <span aria-describedby={null} className="MuiButtonBase-root-84 MuiTableSortLabel-root-95 ellipsis" onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} role="button" tabIndex="0" title="Cannot sort by this column" > Status <pure(ArrowDownward) className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <ArrowDownward className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <WithStyles(SvgIcon) className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <SvgIcon className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59 MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ArrowDownward> </pure(ArrowDownward)> </span> </ButtonBase> </WithStyles(ButtonBase)> </TableSortLabel> </WithStyles(TableSortLabel)> </RootRef> <Popper anchorEl={ <span class="MuiButtonBase-root-84 MuiTableSortLabel-root-95 ellipsis" role="button" tabindex="0" title="Cannot sort by this column" > Status <svg aria-hidden="true" class="MuiSvgIcon-root-59 MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </span> } className="MuiTooltip-popper-87" disablePortal={false} id={null} open={false} placement="bottom" transition={true} /> </Tooltip> </WithStyles(Tooltip)> </div> <div className="columnName" key="2" style={ Object { "width": "8.333333333333332%", } } title="Duration" > <WithStyles(Tooltip) enterDelay={300} title="Cannot sort by this column" > <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-87", "popperInteractive": "MuiTooltip-popperInteractive-88", "tooltip": "MuiTooltip-tooltip-89", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-94", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-91", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-92", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-93", "touch": "MuiTooltip-touch-90", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={300} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title="Cannot sort by this column" > <RootRef rootRef={[Function]} > <WithStyles(TableSortLabel) active={false} aria-describedby={null} className="ellipsis" onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Cannot sort by this column" > <TableSortLabel IconComponent={[Function]} active={false} aria-describedby={null} className="ellipsis" classes={ Object { "active": "MuiTableSortLabel-active-96", "icon": "MuiTableSortLabel-icon-97", "iconDirectionAsc": "MuiTableSortLabel-iconDirectionAsc-99", "iconDirectionDesc": "MuiTableSortLabel-iconDirectionDesc-98", "root": "MuiTableSortLabel-root-95", } } direction="desc" hideSortIcon={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Cannot sort by this column" > <WithStyles(ButtonBase) aria-describedby={null} className="MuiTableSortLabel-root-95 ellipsis" component="span" disableRipple={true} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Cannot sort by this column" > <ButtonBase aria-describedby={null} centerRipple={false} className="MuiTableSortLabel-root-95 ellipsis" classes={ Object { "disabled": "MuiButtonBase-disabled-85", "focusVisible": "MuiButtonBase-focusVisible-86", "root": "MuiButtonBase-root-84", } } component="span" disableRipple={true} disableTouchRipple={false} focusRipple={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} tabIndex="0" title="Cannot sort by this column" type="button" > <span aria-describedby={null} className="MuiButtonBase-root-84 MuiTableSortLabel-root-95 ellipsis" onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} role="button" tabIndex="0" title="Cannot sort by this column" > Duration <pure(ArrowDownward) className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <ArrowDownward className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <WithStyles(SvgIcon) className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <SvgIcon className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59 MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ArrowDownward> </pure(ArrowDownward)> </span> </ButtonBase> </WithStyles(ButtonBase)> </TableSortLabel> </WithStyles(TableSortLabel)> </RootRef> <Popper anchorEl={ <span class="MuiButtonBase-root-84 MuiTableSortLabel-root-95 ellipsis" role="button" tabindex="0" title="Cannot sort by this column" > Duration <svg aria-hidden="true" class="MuiSvgIcon-root-59 MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </span> } className="MuiTooltip-popper-87" disablePortal={false} id={null} open={false} placement="bottom" transition={true} /> </Tooltip> </WithStyles(Tooltip)> </div> <div className="columnName" key="3" style={ Object { "width": "16.666666666666664%", } } title="Experiment" > <WithStyles(Tooltip) enterDelay={300} title="Cannot sort by this column" > <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-87", "popperInteractive": "MuiTooltip-popperInteractive-88", "tooltip": "MuiTooltip-tooltip-89", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-94", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-91", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-92", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-93", "touch": "MuiTooltip-touch-90", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={300} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title="Cannot sort by this column" > <RootRef rootRef={[Function]} > <WithStyles(TableSortLabel) active={false} aria-describedby={null} className="ellipsis" onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Cannot sort by this column" > <TableSortLabel IconComponent={[Function]} active={false} aria-describedby={null} className="ellipsis" classes={ Object { "active": "MuiTableSortLabel-active-96", "icon": "MuiTableSortLabel-icon-97", "iconDirectionAsc": "MuiTableSortLabel-iconDirectionAsc-99", "iconDirectionDesc": "MuiTableSortLabel-iconDirectionDesc-98", "root": "MuiTableSortLabel-root-95", } } direction="desc" hideSortIcon={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Cannot sort by this column" > <WithStyles(ButtonBase) aria-describedby={null} className="MuiTableSortLabel-root-95 ellipsis" component="span" disableRipple={true} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Cannot sort by this column" > <ButtonBase aria-describedby={null} centerRipple={false} className="MuiTableSortLabel-root-95 ellipsis" classes={ Object { "disabled": "MuiButtonBase-disabled-85", "focusVisible": "MuiButtonBase-focusVisible-86", "root": "MuiButtonBase-root-84", } } component="span" disableRipple={true} disableTouchRipple={false} focusRipple={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} tabIndex="0" title="Cannot sort by this column" type="button" > <span aria-describedby={null} className="MuiButtonBase-root-84 MuiTableSortLabel-root-95 ellipsis" onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} role="button" tabIndex="0" title="Cannot sort by this column" > Experiment <pure(ArrowDownward) className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <ArrowDownward className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <WithStyles(SvgIcon) className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <SvgIcon className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59 MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ArrowDownward> </pure(ArrowDownward)> </span> </ButtonBase> </WithStyles(ButtonBase)> </TableSortLabel> </WithStyles(TableSortLabel)> </RootRef> <Popper anchorEl={ <span class="MuiButtonBase-root-84 MuiTableSortLabel-root-95 ellipsis" role="button" tabindex="0" title="Cannot sort by this column" > Experiment <svg aria-hidden="true" class="MuiSvgIcon-root-59 MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </span> } className="MuiTooltip-popper-87" disablePortal={false} id={null} open={false} placement="bottom" transition={true} /> </Tooltip> </WithStyles(Tooltip)> </div> <div className="columnName" key="4" style={ Object { "width": "16.666666666666664%", } } title="Pipeline Version" > <WithStyles(Tooltip) enterDelay={300} title="Cannot sort by this column" > <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-87", "popperInteractive": "MuiTooltip-popperInteractive-88", "tooltip": "MuiTooltip-tooltip-89", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-94", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-91", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-92", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-93", "touch": "MuiTooltip-touch-90", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={300} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title="Cannot sort by this column" > <RootRef rootRef={[Function]} > <WithStyles(TableSortLabel) active={false} aria-describedby={null} className="ellipsis" onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Cannot sort by this column" > <TableSortLabel IconComponent={[Function]} active={false} aria-describedby={null} className="ellipsis" classes={ Object { "active": "MuiTableSortLabel-active-96", "icon": "MuiTableSortLabel-icon-97", "iconDirectionAsc": "MuiTableSortLabel-iconDirectionAsc-99", "iconDirectionDesc": "MuiTableSortLabel-iconDirectionDesc-98", "root": "MuiTableSortLabel-root-95", } } direction="desc" hideSortIcon={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Cannot sort by this column" > <WithStyles(ButtonBase) aria-describedby={null} className="MuiTableSortLabel-root-95 ellipsis" component="span" disableRipple={true} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Cannot sort by this column" > <ButtonBase aria-describedby={null} centerRipple={false} className="MuiTableSortLabel-root-95 ellipsis" classes={ Object { "disabled": "MuiButtonBase-disabled-85", "focusVisible": "MuiButtonBase-focusVisible-86", "root": "MuiButtonBase-root-84", } } component="span" disableRipple={true} disableTouchRipple={false} focusRipple={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} tabIndex="0" title="Cannot sort by this column" type="button" > <span aria-describedby={null} className="MuiButtonBase-root-84 MuiTableSortLabel-root-95 ellipsis" onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} role="button" tabIndex="0" title="Cannot sort by this column" > Pipeline Version <pure(ArrowDownward) className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <ArrowDownward className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <WithStyles(SvgIcon) className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <SvgIcon className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59 MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ArrowDownward> </pure(ArrowDownward)> </span> </ButtonBase> </WithStyles(ButtonBase)> </TableSortLabel> </WithStyles(TableSortLabel)> </RootRef> <Popper anchorEl={ <span class="MuiButtonBase-root-84 MuiTableSortLabel-root-95 ellipsis" role="button" tabindex="0" title="Cannot sort by this column" > Pipeline Version <svg aria-hidden="true" class="MuiSvgIcon-root-59 MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </span> } className="MuiTooltip-popper-87" disablePortal={false} id={null} open={false} placement="bottom" transition={true} /> </Tooltip> </WithStyles(Tooltip)> </div> <div className="columnName" key="5" style={ Object { "width": "8.333333333333332%", } } title="Recurring Run" > <WithStyles(Tooltip) enterDelay={300} title="Cannot sort by this column" > <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-87", "popperInteractive": "MuiTooltip-popperInteractive-88", "tooltip": "MuiTooltip-tooltip-89", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-94", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-91", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-92", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-93", "touch": "MuiTooltip-touch-90", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={300} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title="Cannot sort by this column" > <RootRef rootRef={[Function]} > <WithStyles(TableSortLabel) active={false} aria-describedby={null} className="ellipsis" onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Cannot sort by this column" > <TableSortLabel IconComponent={[Function]} active={false} aria-describedby={null} className="ellipsis" classes={ Object { "active": "MuiTableSortLabel-active-96", "icon": "MuiTableSortLabel-icon-97", "iconDirectionAsc": "MuiTableSortLabel-iconDirectionAsc-99", "iconDirectionDesc": "MuiTableSortLabel-iconDirectionDesc-98", "root": "MuiTableSortLabel-root-95", } } direction="desc" hideSortIcon={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Cannot sort by this column" > <WithStyles(ButtonBase) aria-describedby={null} className="MuiTableSortLabel-root-95 ellipsis" component="span" disableRipple={true} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Cannot sort by this column" > <ButtonBase aria-describedby={null} centerRipple={false} className="MuiTableSortLabel-root-95 ellipsis" classes={ Object { "disabled": "MuiButtonBase-disabled-85", "focusVisible": "MuiButtonBase-focusVisible-86", "root": "MuiButtonBase-root-84", } } component="span" disableRipple={true} disableTouchRipple={false} focusRipple={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} tabIndex="0" title="Cannot sort by this column" type="button" > <span aria-describedby={null} className="MuiButtonBase-root-84 MuiTableSortLabel-root-95 ellipsis" onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} role="button" tabIndex="0" title="Cannot sort by this column" > Recurring Run <pure(ArrowDownward) className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <ArrowDownward className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <WithStyles(SvgIcon) className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <SvgIcon className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59 MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ArrowDownward> </pure(ArrowDownward)> </span> </ButtonBase> </WithStyles(ButtonBase)> </TableSortLabel> </WithStyles(TableSortLabel)> </RootRef> <Popper anchorEl={ <span class="MuiButtonBase-root-84 MuiTableSortLabel-root-95 ellipsis" role="button" tabindex="0" title="Cannot sort by this column" > Recurring Run <svg aria-hidden="true" class="MuiSvgIcon-root-59 MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </span> } className="MuiTooltip-popper-87" disablePortal={false} id={null} open={false} placement="bottom" transition={true} /> </Tooltip> </WithStyles(Tooltip)> </div> <div className="columnName" key="6" style={ Object { "width": "16.666666666666664%", } } title="Start time" > <WithStyles(Tooltip) enterDelay={300} title="Sort" > <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-87", "popperInteractive": "MuiTooltip-popperInteractive-88", "tooltip": "MuiTooltip-tooltip-89", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-94", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-91", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-92", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-93", "touch": "MuiTooltip-touch-90", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={300} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title="Sort" > <RootRef rootRef={[Function]} > <WithStyles(TableSortLabel) active={true} aria-describedby={null} className="ellipsis" direction="desc" onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Sort" > <TableSortLabel IconComponent={[Function]} active={true} aria-describedby={null} className="ellipsis" classes={ Object { "active": "MuiTableSortLabel-active-96", "icon": "MuiTableSortLabel-icon-97", "iconDirectionAsc": "MuiTableSortLabel-iconDirectionAsc-99", "iconDirectionDesc": "MuiTableSortLabel-iconDirectionDesc-98", "root": "MuiTableSortLabel-root-95", } } direction="desc" hideSortIcon={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Sort" > <WithStyles(ButtonBase) aria-describedby={null} className="MuiTableSortLabel-root-95 MuiTableSortLabel-active-96 ellipsis" component="span" disableRipple={true} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Sort" > <ButtonBase aria-describedby={null} centerRipple={false} className="MuiTableSortLabel-root-95 MuiTableSortLabel-active-96 ellipsis" classes={ Object { "disabled": "MuiButtonBase-disabled-85", "focusVisible": "MuiButtonBase-focusVisible-86", "root": "MuiButtonBase-root-84", } } component="span" disableRipple={true} disableTouchRipple={false} focusRipple={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} tabIndex="0" title="Sort" type="button" > <span aria-describedby={null} className="MuiButtonBase-root-84 MuiTableSortLabel-root-95 MuiTableSortLabel-active-96 ellipsis" onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} role="button" tabIndex="0" title="Sort" > Start time <pure(ArrowDownward) className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <ArrowDownward className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <WithStyles(SvgIcon) className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <SvgIcon className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59 MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ArrowDownward> </pure(ArrowDownward)> </span> </ButtonBase> </WithStyles(ButtonBase)> </TableSortLabel> </WithStyles(TableSortLabel)> </RootRef> <Popper anchorEl={ <span class="MuiButtonBase-root-84 MuiTableSortLabel-root-95 MuiTableSortLabel-active-96 ellipsis" role="button" tabindex="0" title="Sort" > Start time <svg aria-hidden="true" class="MuiSvgIcon-root-59 MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </span> } className="MuiTooltip-popper-87" disablePortal={false} id={null} open={false} placement="bottom" transition={true} /> </Tooltip> </WithStyles(Tooltip)> </div> </div> <div className="scrollContainer" style={ Object { "minHeight": 60, } } > <div className="emptyMessage" > No available runs found. </div> </div> <div className="footer" > <span className="" > Rows per page: </span> <TextField InputProps={ Object { "disableUnderline": true, } } className="rowsPerPage" classes={ Object { "root": "verticalAlignInitial", } } onChange={[Function]} required={false} select={true} value={10} variant="standard" > <WithStyles(FormControl) className="rowsPerPage" classes={ Object { "root": "verticalAlignInitial", } } required={false} variant="standard" > <FormControl className="rowsPerPage" classes={ Object { "fullWidth": "MuiFormControl-fullWidth-4", "marginDense": "MuiFormControl-marginDense-3", "marginNormal": "MuiFormControl-marginNormal-2", "root": "MuiFormControl-root-1 verticalAlignInitial", } } component="div" disabled={false} error={false} fullWidth={false} margin="none" required={false} variant="standard" > <div className="MuiFormControl-root-1 verticalAlignInitial rowsPerPage" > <WithStyles(WithFormControlContext(Select)) input={ <WithStyles(Input) disableUnderline={true} onChange={[Function]} value={10} /> } value={10} > <WithFormControlContext(Select) classes={ Object { "disabled": "MuiSelect-disabled-105", "filled": "MuiSelect-filled-102", "icon": "MuiSelect-icon-106", "outlined": "MuiSelect-outlined-103", "root": "MuiSelect-root-100", "select": "MuiSelect-select-101", "selectMenu": "MuiSelect-selectMenu-104", } } input={ <WithStyles(Input) disableUnderline={true} onChange={[Function]} value={10} /> } value={10} > <Select IconComponent={[Function]} autoWidth={false} classes={ Object { "disabled": "MuiSelect-disabled-105", "filled": "MuiSelect-filled-102", "icon": "MuiSelect-icon-106", "outlined": "MuiSelect-outlined-103", "root": "MuiSelect-root-100", "select": "MuiSelect-select-101", "selectMenu": "MuiSelect-selectMenu-104", } } displayEmpty={false} input={ <WithStyles(Input) disableUnderline={true} onChange={[Function]} value={10} /> } muiFormControl={ Object { "adornedStart": false, "disabled": false, "error": false, "filled": true, "focused": false, "margin": "none", "onBlur": [Function], "onEmpty": [Function], "onFilled": [Function], "onFocus": [Function], "required": false, "variant": "standard", } } multiple={false} native={false} value={10} > <WithStyles(Input) disableUnderline={true} inputComponent={[Function]} inputProps={ Object { "IconComponent": [Function], "MenuProps": undefined, "SelectDisplayProps": undefined, "autoWidth": false, "children": Array [ <WithStyles(MenuItem) value={10} > 10 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={20} > 20 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={50} > 50 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={100} > 100 </WithStyles(MenuItem)>, ], "classes": Object { "disabled": "MuiSelect-disabled-105", "filled": "MuiSelect-filled-102", "icon": "MuiSelect-icon-106", "outlined": "MuiSelect-outlined-103", "root": "MuiSelect-root-100", "select": "MuiSelect-select-101", "selectMenu": "MuiSelect-selectMenu-104", }, "displayEmpty": false, "multiple": false, "onClose": undefined, "onOpen": undefined, "open": undefined, "renderValue": undefined, "type": undefined, "variant": "standard", } } onChange={[Function]} value={10} > <Input classes={ Object { "disabled": "MuiInput-disabled-110", "error": "MuiInput-error-112", "focused": "MuiInput-focused-109", "formControl": "MuiInput-formControl-108", "fullWidth": "MuiInput-fullWidth-114", "input": "MuiInput-input-115", "inputMarginDense": "MuiInput-inputMarginDense-116", "inputMultiline": "MuiInput-inputMultiline-117", "inputType": "MuiInput-inputType-118", "inputTypeSearch": "MuiInput-inputTypeSearch-119", "multiline": "MuiInput-multiline-113", "root": "MuiInput-root-107", "underline": "MuiInput-underline-111", } } disableUnderline={true} inputComponent={[Function]} inputProps={ Object { "IconComponent": [Function], "MenuProps": undefined, "SelectDisplayProps": undefined, "autoWidth": false, "children": Array [ <WithStyles(MenuItem) value={10} > 10 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={20} > 20 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={50} > 50 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={100} > 100 </WithStyles(MenuItem)>, ], "classes": Object { "disabled": "MuiSelect-disabled-105", "filled": "MuiSelect-filled-102", "icon": "MuiSelect-icon-106", "outlined": "MuiSelect-outlined-103", "root": "MuiSelect-root-100", "select": "MuiSelect-select-101", "selectMenu": "MuiSelect-selectMenu-104", }, "displayEmpty": false, "multiple": false, "onClose": undefined, "onOpen": undefined, "open": undefined, "renderValue": undefined, "type": undefined, "variant": "standard", } } onChange={[Function]} value={10} > <WithStyles(WithFormControlContext(InputBase)) classes={ Object { "disabled": "MuiInput-disabled-110", "error": "MuiInput-error-112", "focused": "MuiInput-focused-109", "formControl": "MuiInput-formControl-108", "fullWidth": "MuiInput-fullWidth-114", "input": "MuiInput-input-115", "inputMarginDense": "MuiInput-inputMarginDense-116", "inputMultiline": "MuiInput-inputMultiline-117", "inputType": "MuiInput-inputType-118", "inputTypeSearch": "MuiInput-inputTypeSearch-119", "multiline": "MuiInput-multiline-113", "root": "MuiInput-root-107", "underline": null, } } fullWidth={false} inputComponent={[Function]} inputProps={ Object { "IconComponent": [Function], "MenuProps": undefined, "SelectDisplayProps": undefined, "autoWidth": false, "children": Array [ <WithStyles(MenuItem) value={10} > 10 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={20} > 20 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={50} > 50 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={100} > 100 </WithStyles(MenuItem)>, ], "classes": Object { "disabled": "MuiSelect-disabled-105", "filled": "MuiSelect-filled-102", "icon": "MuiSelect-icon-106", "outlined": "MuiSelect-outlined-103", "root": "MuiSelect-root-100", "select": "MuiSelect-select-101", "selectMenu": "MuiSelect-selectMenu-104", }, "displayEmpty": false, "multiple": false, "onClose": undefined, "onOpen": undefined, "open": undefined, "renderValue": undefined, "type": undefined, "variant": "standard", } } multiline={false} onChange={[Function]} type="text" value={10} > <WithFormControlContext(InputBase) classes={ Object { "adornedEnd": "MuiInputBase-adornedEnd-41", "adornedStart": "MuiInputBase-adornedStart-40", "disabled": "MuiInputBase-disabled-39 MuiInput-disabled-110", "error": "MuiInputBase-error-42 MuiInput-error-112", "focused": "MuiInputBase-focused-38 MuiInput-focused-109", "formControl": "MuiInputBase-formControl-37 MuiInput-formControl-108", "fullWidth": "MuiInputBase-fullWidth-45 MuiInput-fullWidth-114", "input": "MuiInputBase-input-46 MuiInput-input-115", "inputAdornedEnd": "MuiInputBase-inputAdornedEnd-52", "inputAdornedStart": "MuiInputBase-inputAdornedStart-51", "inputMarginDense": "MuiInputBase-inputMarginDense-47 MuiInput-inputMarginDense-116", "inputMultiline": "MuiInputBase-inputMultiline-48 MuiInput-inputMultiline-117", "inputType": "MuiInputBase-inputType-49 MuiInput-inputType-118", "inputTypeSearch": "MuiInputBase-inputTypeSearch-50 MuiInput-inputTypeSearch-119", "marginDense": "MuiInputBase-marginDense-43", "multiline": "MuiInputBase-multiline-44 MuiInput-multiline-113", "root": "MuiInputBase-root-36 MuiInput-root-107", } } fullWidth={false} inputComponent={[Function]} inputProps={ Object { "IconComponent": [Function], "MenuProps": undefined, "SelectDisplayProps": undefined, "autoWidth": false, "children": Array [ <WithStyles(MenuItem) value={10} > 10 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={20} > 20 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={50} > 50 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={100} > 100 </WithStyles(MenuItem)>, ], "classes": Object { "disabled": "MuiSelect-disabled-105", "filled": "MuiSelect-filled-102", "icon": "MuiSelect-icon-106", "outlined": "MuiSelect-outlined-103", "root": "MuiSelect-root-100", "select": "MuiSelect-select-101", "selectMenu": "MuiSelect-selectMenu-104", }, "displayEmpty": false, "multiple": false, "onClose": undefined, "onOpen": undefined, "open": undefined, "renderValue": undefined, "type": undefined, "variant": "standard", } } multiline={false} onChange={[Function]} type="text" value={10} > <InputBase classes={ Object { "adornedEnd": "MuiInputBase-adornedEnd-41", "adornedStart": "MuiInputBase-adornedStart-40", "disabled": "MuiInputBase-disabled-39 MuiInput-disabled-110", "error": "MuiInputBase-error-42 MuiInput-error-112", "focused": "MuiInputBase-focused-38 MuiInput-focused-109", "formControl": "MuiInputBase-formControl-37 MuiInput-formControl-108", "fullWidth": "MuiInputBase-fullWidth-45 MuiInput-fullWidth-114", "input": "MuiInputBase-input-46 MuiInput-input-115", "inputAdornedEnd": "MuiInputBase-inputAdornedEnd-52", "inputAdornedStart": "MuiInputBase-inputAdornedStart-51", "inputMarginDense": "MuiInputBase-inputMarginDense-47 MuiInput-inputMarginDense-116", "inputMultiline": "MuiInputBase-inputMultiline-48 MuiInput-inputMultiline-117", "inputType": "MuiInputBase-inputType-49 MuiInput-inputType-118", "inputTypeSearch": "MuiInputBase-inputTypeSearch-50 MuiInput-inputTypeSearch-119", "marginDense": "MuiInputBase-marginDense-43", "multiline": "MuiInputBase-multiline-44 MuiInput-multiline-113", "root": "MuiInputBase-root-36 MuiInput-root-107", } } fullWidth={false} inputComponent={[Function]} inputProps={ Object { "IconComponent": [Function], "MenuProps": undefined, "SelectDisplayProps": undefined, "autoWidth": false, "children": Array [ <WithStyles(MenuItem) value={10} > 10 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={20} > 20 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={50} > 50 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={100} > 100 </WithStyles(MenuItem)>, ], "classes": Object { "disabled": "MuiSelect-disabled-105", "filled": "MuiSelect-filled-102", "icon": "MuiSelect-icon-106", "outlined": "MuiSelect-outlined-103", "root": "MuiSelect-root-100", "select": "MuiSelect-select-101", "selectMenu": "MuiSelect-selectMenu-104", }, "displayEmpty": false, "multiple": false, "onClose": undefined, "onOpen": undefined, "open": undefined, "renderValue": undefined, "type": undefined, "variant": "standard", } } muiFormControl={ Object { "adornedStart": false, "disabled": false, "error": false, "filled": true, "focused": false, "margin": "none", "onBlur": [Function], "onEmpty": [Function], "onFilled": [Function], "onFocus": [Function], "required": false, "variant": "standard", } } multiline={false} onChange={[Function]} type="text" value={10} > <div className="MuiInputBase-root-36 MuiInput-root-107 MuiInputBase-formControl-37 MuiInput-formControl-108" onClick={[Function]} > <SelectInput IconComponent={[Function]} aria-invalid={false} autoWidth={false} className="MuiInputBase-input-46 MuiInput-input-115" classes={ Object { "disabled": "MuiSelect-disabled-105", "filled": "MuiSelect-filled-102", "icon": "MuiSelect-icon-106", "outlined": "MuiSelect-outlined-103", "root": "MuiSelect-root-100", "select": "MuiSelect-select-101", "selectMenu": "MuiSelect-selectMenu-104", } } disabled={false} displayEmpty={false} inputRef={[Function]} multiple={false} onBlur={[Function]} onChange={[Function]} onFocus={[Function]} required={false} value={10} variant="standard" > <div className="MuiSelect-root-100" > <div aria-haspopup="true" aria-pressed="false" className="MuiSelect-select-101 MuiSelect-selectMenu-104 MuiInputBase-input-46 MuiInput-input-115" onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onKeyDown={[Function]} role="button" tabIndex={0} > 10 </div> <input type="hidden" value={10} /> <pure(ArrowDropDown) className="MuiSelect-icon-106" > <ArrowDropDown className="MuiSelect-icon-106" > <WithStyles(SvgIcon) className="MuiSelect-icon-106" > <SvgIcon className="MuiSelect-icon-106" classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59 MuiSelect-icon-106" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M7 10l5 5 5-5z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ArrowDropDown> </pure(ArrowDropDown)> <WithStyles(Menu) MenuListProps={ Object { "role": "listbox", } } PaperProps={ Object { "style": Object { "minWidth": null, }, } } anchorEl={ <div aria-haspopup="true" aria-pressed="false" class="MuiSelect-select-101 MuiSelect-selectMenu-104 MuiInputBase-input-46 MuiInput-input-115" role="button" tabindex="0" > 10 </div> } id="menu-" onClose={[Function]} open={false} > <Menu MenuListProps={ Object { "role": "listbox", } } PaperProps={ Object { "style": Object { "minWidth": null, }, } } anchorEl={ <div aria-haspopup="true" aria-pressed="false" class="MuiSelect-select-101 MuiSelect-selectMenu-104 MuiInputBase-input-46 MuiInput-input-115" role="button" tabindex="0" > 10 </div> } classes={ Object { "paper": "MuiMenu-paper-120", } } disableAutoFocusItem={false} id="menu-" onClose={[Function]} open={false} theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } transitionDuration="auto" > <WithStyles(Popover) PaperProps={ Object { "classes": Object { "root": "MuiMenu-paper-120", }, "style": Object { "minWidth": null, }, } } anchorEl={ <div aria-haspopup="true" aria-pressed="false" class="MuiSelect-select-101 MuiSelect-selectMenu-104 MuiInputBase-input-46 MuiInput-input-115" role="button" tabindex="0" > 10 </div> } anchorOrigin={ Object { "horizontal": "left", "vertical": "top", } } getContentAnchorEl={[Function]} id="menu-" onClose={[Function]} onEntering={[Function]} open={false} transformOrigin={ Object { "horizontal": "left", "vertical": "top", } } transitionDuration="auto" > <Popover PaperProps={ Object { "classes": Object { "root": "MuiMenu-paper-120", }, "style": Object { "minWidth": null, }, } } TransitionComponent={[Function]} anchorEl={ <div aria-haspopup="true" aria-pressed="false" class="MuiSelect-select-101 MuiSelect-selectMenu-104 MuiInputBase-input-46 MuiInput-input-115" role="button" tabindex="0" > 10 </div> } anchorOrigin={ Object { "horizontal": "left", "vertical": "top", } } anchorReference="anchorEl" classes={ Object { "paper": "MuiPopover-paper-121", } } elevation={8} getContentAnchorEl={[Function]} id="menu-" marginThreshold={16} onClose={[Function]} onEntering={[Function]} open={false} transformOrigin={ Object { "horizontal": "left", "vertical": "top", } } transitionDuration="auto" > <WithStyles(Modal) BackdropProps={ Object { "invisible": true, } } container={<body />} id="menu-" onClose={[Function]} open={false} > <Modal BackdropComponent={[Function]} BackdropProps={ Object { "invisible": true, } } classes={ Object { "hidden": "MuiModal-hidden-123", "root": "MuiModal-root-122", } } container={<body />} disableAutoFocus={false} disableBackdropClick={false} disableEnforceFocus={false} disableEscapeKeyDown={false} disablePortal={false} disableRestoreFocus={false} hideBackdrop={false} id="menu-" keepMounted={false} manager={ ModalManager { "data": Array [], "handleContainerOverflow": true, "hideSiblingNodes": true, "modals": Array [], } } onClose={[Function]} open={false} /> </WithStyles(Modal)> </Popover> </WithStyles(Popover)> </Menu> </WithStyles(Menu)> </div> </SelectInput> </div> </InputBase> </WithFormControlContext(InputBase)> </WithStyles(WithFormControlContext(InputBase))> </Input> </WithStyles(Input)> </Select> </WithFormControlContext(Select)> </WithStyles(WithFormControlContext(Select))> </div> </FormControl> </WithStyles(FormControl)> </TextField> <WithStyles(IconButton) disabled={true} onClick={[Function]} > <IconButton classes={ Object { "colorInherit": "MuiIconButton-colorInherit-79", "colorPrimary": "MuiIconButton-colorPrimary-80", "colorSecondary": "MuiIconButton-colorSecondary-81", "disabled": "MuiIconButton-disabled-82", "label": "MuiIconButton-label-83", "root": "MuiIconButton-root-78", } } color="default" disabled={true} onClick={[Function]} > <WithStyles(ButtonBase) centerRipple={true} className="MuiIconButton-root-78 MuiIconButton-disabled-82" disabled={true} focusRipple={true} onClick={[Function]} > <ButtonBase centerRipple={true} className="MuiIconButton-root-78 MuiIconButton-disabled-82" classes={ Object { "disabled": "MuiButtonBase-disabled-85", "focusVisible": "MuiButtonBase-focusVisible-86", "root": "MuiButtonBase-root-84", } } component="button" disableRipple={false} disableTouchRipple={false} disabled={true} focusRipple={true} onClick={[Function]} tabIndex="0" type="button" > <button className="MuiButtonBase-root-84 MuiButtonBase-disabled-85 MuiIconButton-root-78 MuiIconButton-disabled-82" disabled={true} onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} tabIndex="-1" type="button" > <span className="MuiIconButton-label-83" > <pure(ChevronLeftIcon)> <ChevronLeftIcon> <WithStyles(SvgIcon)> <SvgIcon classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M15.41 7.41L14 6l-6 6 6 6 1.41-1.41L10.83 12z" /> <path d="M0 0h24v24H0z" fill="none" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ChevronLeftIcon> </pure(ChevronLeftIcon)> </span> </button> </ButtonBase> </WithStyles(ButtonBase)> </IconButton> </WithStyles(IconButton)> <WithStyles(IconButton) disabled={true} onClick={[Function]} > <IconButton classes={ Object { "colorInherit": "MuiIconButton-colorInherit-79", "colorPrimary": "MuiIconButton-colorPrimary-80", "colorSecondary": "MuiIconButton-colorSecondary-81", "disabled": "MuiIconButton-disabled-82", "label": "MuiIconButton-label-83", "root": "MuiIconButton-root-78", } } color="default" disabled={true} onClick={[Function]} > <WithStyles(ButtonBase) centerRipple={true} className="MuiIconButton-root-78 MuiIconButton-disabled-82" disabled={true} focusRipple={true} onClick={[Function]} > <ButtonBase centerRipple={true} className="MuiIconButton-root-78 MuiIconButton-disabled-82" classes={ Object { "disabled": "MuiButtonBase-disabled-85", "focusVisible": "MuiButtonBase-focusVisible-86", "root": "MuiButtonBase-root-84", } } component="button" disableRipple={false} disableTouchRipple={false} disabled={true} focusRipple={true} onClick={[Function]} tabIndex="0" type="button" > <button className="MuiButtonBase-root-84 MuiButtonBase-disabled-85 MuiIconButton-root-78 MuiIconButton-disabled-82" disabled={true} onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} tabIndex="-1" type="button" > <span className="MuiIconButton-label-83" > <pure(ChevronRightIcon)> <ChevronRightIcon> <WithStyles(SvgIcon)> <SvgIcon classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M10 6L8.59 7.41 13.17 12l-4.58 4.59L10 18l6-6z" /> <path d="M0 0h24v24H0z" fill="none" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ChevronRightIcon> </pure(ChevronRightIcon)> </span> </button> </ButtonBase> </WithStyles(ButtonBase)> </IconButton> </WithStyles(IconButton)> </div> </div> </CustomTable> </div> </RunList> `; exports[`RunList renders an empty metric when metric is empty 1`] = `<Metric />`; exports[`RunList renders an empty metric when metric value is empty 1`] = ` <Metric metric={Object {}} /> `; exports[`RunList renders an empty metric when there is no metric 1`] = `<div />`; exports[`RunList renders experiment name as link to its details page 1`] = ` <Link className="link" onClick={[Function]} replace={false} to="/experiments/details/experiment-id" > test experiment </Link> `; exports[`RunList renders metric buffer 1`] = ` <div style={ Object { "borderLeft": "1px solid #e0e0e0", "padding": "20px 0", } } /> `; exports[`RunList renders no experiment name 1`] = ` <Link className="link" onClick={[Function]} replace={false} to="/experiments/details/experiment-id" /> `; exports[`RunList renders percentage metric 1`] = ` <Metric metric={ Object { "format": "PERCENTAGE", "number_value": 0.3, } } /> `; exports[`RunList renders pipeline name as link to its details page 1`] = ` <WithStyles(Tooltip) enterDelay={300} placement="top-start" title="test pipeline" > <Link className="link" onClick={[Function]} replace={false} to="/pipelines/details/pipeline-id?" > test pipeline </Link> </WithStyles(Tooltip)> `; exports[`RunList renders pipeline name as link to its details page 2`] = ` <Link className="link" onClick={[Function]} replace={false} to="/recurringrun/details/recurring-run-id" > [View config] </Link> `; exports[`RunList renders pipeline version name as link to its details page 1`] = ` <WithStyles(Tooltip) enterDelay={300} placement="top-start" title="test pipeline version" > <Link className="link" onClick={[Function]} replace={false} to="/pipelines/details/pipeline-id/version/version-id?" > test pipeline version </Link> </WithStyles(Tooltip)> `; exports[`RunList renders raw metric 1`] = ` <Metric metadata={ Object { "count": 1, "maxValue": 100, "minValue": 10, } } metric={ Object { "number_value": 55, } } /> `; exports[`RunList renders run name as link to its details page 1`] = ` <WithStyles(Tooltip) enterDelay={300} placement="top-start" title="test run" > <Link className="link" onClick={[Function]} replace={false} to="/runs/details/run-id" > test run </Link> </WithStyles(Tooltip)> `; exports[`RunList renders status as icon 1`] = ` <WithStyles(Tooltip) title={ <div> <div> Executed successfully </div> </div> } > <span style={ Object { "height": 18, } } > <pure(CheckCircleIcon) style={ Object { "color": "#34a853", "height": 18, "width": 18, } } /> </span> </WithStyles(Tooltip)> `; exports[`RunList renders the empty experience 1`] = ` <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1.5, "label": "Run name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Status", }, Object { "flex": 0.5, "label": "Duration", }, Object { "customRenderer": [Function], "flex": 1, "label": "Experiment", }, Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline Version", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Recurring Run", }, Object { "flex": 1, "label": "Start time", "sortKey": "created_at", }, ] } emptyMessage="No available runs found." filterLabel="Filter runs" initialSortColumn="created_at" reload={[Function]} rows={Array []} /> </div> `; exports[`RunList retrieves pipeline from backend to display name if not in spec 1`] = ` <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1.5, "label": "Run name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Status", }, Object { "flex": 0.5, "label": "Duration", }, Object { "customRenderer": [Function], "flex": 1, "label": "Experiment", }, Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline Version", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Recurring Run", }, Object { "flex": 1, "label": "Start time", "sortKey": "created_at", }, ] } emptyMessage="No available runs found." filterLabel="Filter runs" initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "error": undefined, "id": "testrun1", "otherFields": Array [ "run with id: testrun1", "-", "-", undefined, Object { "displayName": "test pipeline", "pipelineId": "test-pipeline-id", "usePlaceholder": false, "versionId": undefined, }, undefined, "-", ], }, ] } /> </div> `; exports[`RunList shows "View pipeline" button if pipeline is embedded in run 1`] = ` <Link className="link" onClick={[Function]} replace={false} to="/pipelines/details/?fromRun=run-id" > [View pipeline] </Link> `; exports[`RunList shows experiment name 1`] = ` <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1.5, "label": "Run name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Status", }, Object { "flex": 0.5, "label": "Duration", }, Object { "customRenderer": [Function], "flex": 1, "label": "Experiment", }, Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline Version", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Recurring Run", }, Object { "flex": 1, "label": "Start time", "sortKey": "created_at", }, ] } emptyMessage="No available runs found." filterLabel="Filter runs" initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "error": undefined, "id": "testrun1", "otherFields": Array [ "run with id: testrun1", "-", "-", Object { "displayName": "test experiment", "id": "test-experiment-id", }, undefined, undefined, "-", ], }, ] } /> </div> `; exports[`RunList shows link to recurring run config 1`] = ` <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1.5, "label": "Run name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Status", }, Object { "flex": 0.5, "label": "Duration", }, Object { "customRenderer": [Function], "flex": 1, "label": "Experiment", }, Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline Version", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Recurring Run", }, Object { "flex": 1, "label": "Start time", "sortKey": "created_at", }, ] } emptyMessage="No available runs found." filterLabel="Filter runs" initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "error": undefined, "id": "testrun1", "otherFields": Array [ "run with id: testrun1", "-", "-", undefined, undefined, Object { "displayName": "test-recurring-run-id", "id": "test-recurring-run-id", }, "-", ], }, ] } /> </div> `; exports[`RunList shows pipeline name 1`] = ` <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1.5, "label": "Run name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Status", }, Object { "flex": 0.5, "label": "Duration", }, Object { "customRenderer": [Function], "flex": 1, "label": "Experiment", }, Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline Version", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Recurring Run", }, Object { "flex": 1, "label": "Start time", "sortKey": "created_at", }, ] } emptyMessage="No available runs found." filterLabel="Filter runs" initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "error": undefined, "id": "testrun1", "otherFields": Array [ "run with id: testrun1", "-", "-", undefined, Object { "displayName": "pipeline name", "pipelineId": "test-pipeline-id", "usePlaceholder": false, "versionId": undefined, }, undefined, "-", ], }, ] } /> </div> `; exports[`RunList shows run time for each run 1`] = ` <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1.5, "label": "Run name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Status", }, Object { "flex": 0.5, "label": "Duration", }, Object { "customRenderer": [Function], "flex": 1, "label": "Experiment", }, Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline Version", }, Object { "customRenderer": [Function], "flex": 0.5, "label": "Recurring Run", }, Object { "flex": 1, "label": "Start time", "sortKey": "created_at", }, ] } emptyMessage="No available runs found." filterLabel="Filter runs" initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "error": undefined, "id": "testrun1", "otherFields": Array [ "run with id: testrun1", "Succeeded", "1:01:01", undefined, undefined, undefined, "1/2/2019, 12:34:56 PM", ], }, ] } /> </div> `;
7,829
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/RunDetails.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`RunDetails closes side panel when close button is clicked 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="page graphPane" > <div className="page" > <EnhancedGraph graph={ Graph { "_defaultEdgeLabelFn": [Function], "_defaultNodeLabelFn": [Function], "_edgeLabels": Object {}, "_edgeObjs": Object {}, "_in": Object {}, "_isCompound": false, "_isDirected": true, "_isMultigraph": false, "_label": Object {}, "_nodes": Object {}, "_out": Object {}, "_preds": Object {}, "_sucs": Object {}, } } onClick={[Function]} onError={[Function]} selectedNodeId="" /> <SidePanel isBusy={false} isOpen={false} onClose={[Function]} title="" /> <div className="footer" > <div className="flex" > <pure(InfoOutlinedIcon) className="infoIcon" /> <span className="infoSpan" > Runtime execution graph. Only steps that are currently running or have already completed are shown. </span> </div> </div> </div> </div> </div> </div> </div> `; exports[`RunDetails displays a message indicating there is no graph if graph is not defined and run has status: Error 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="page graphPane" > <div> <span style={ Object { "margin": "40px auto", } } > No graph to show </span> </div> </div> </div> </div> </div> `; exports[`RunDetails displays a message indicating there is no graph if graph is not defined and run has status: Failed 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="page graphPane" > <div> <span style={ Object { "margin": "40px auto", } } > No graph to show </span> </div> </div> </div> </div> </div> `; exports[`RunDetails displays a message indicating there is no graph if graph is not defined and run has status: Skipped 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="page graphPane" > <div> <span style={ Object { "margin": "40px auto", } } > No graph to show </span> </div> </div> </div> </div> </div> `; exports[`RunDetails displays a message indicating there is no graph if graph is not defined and run has status: Succeeded 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="page graphPane" > <div> <span style={ Object { "margin": "40px auto", } } > No graph to show </span> </div> </div> </div> </div> </div> `; exports[`RunDetails displays a spinner if graph is not defined and run has status: Pending 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="page graphPane" > <div> <WithStyles(CircularProgress) className="absoluteCenter" size={30} /> </div> </div> </div> </div> </div> `; exports[`RunDetails displays a spinner if graph is not defined and run has status: Running 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="page graphPane" > <div> <WithStyles(CircularProgress) className="absoluteCenter" size={30} /> </div> </div> </div> </div> </div> `; exports[`RunDetails displays a spinner if graph is not defined and run has status: Unknown 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="page graphPane" > <div> <WithStyles(CircularProgress) className="absoluteCenter" size={30} /> </div> </div> </div> </div> </div> `; exports[`RunDetails keeps side pane open and on same tab when run status changes, shows new status 1`] = ` <div className="flex" > <WithStyles(Tooltip) title={ <div> <div> Executed successfully </div> <div> Start: 1/2/2019, 12:34:56 PM </div> </div> } > <span style={ Object { "height": 18, } } > <pure(CheckCircleIcon) style={ Object { "color": "#34a853", "height": 18, "width": 18, } } /> </span> </WithStyles(Tooltip)> <span style={ Object { "marginLeft": 10, } } > test run </span> </div> `; exports[`RunDetails keeps side pane open and on same tab when run status changes, shows new status 2`] = ` <div className="flex" > <WithStyles(Tooltip) title={ <div> <div> Resource failed to execute </div> <div> Start: 1/2/2019, 12:34:56 PM </div> </div> } > <span style={ Object { "height": 18, } } > <pure(ErrorIcon) style={ Object { "color": "#d50000", "height": 18, "width": 18, } } /> </span> </WithStyles(Tooltip)> <span style={ Object { "marginLeft": 10, } } > test run </span> </div> `; exports[`RunDetails loads the run's outputs in the output tab 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={1} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="" > <span> No metrics found for this run. </span> <Separator orientation="vertical" /> <Hr /> <div key="0" > <PlotCard configs={ Array [ Object { "type": "tensorboard", "url": "some url", }, ] } key="0" maxDimension={400} title="step1" /> <Separator orientation="vertical" /> <Hr /> </div> </div> </div> </div> </div> `; exports[`RunDetails logs tab does not load logs if clicked node status is skipped 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="page graphPane" > <div className="page" > <EnhancedGraph graph={ Graph { "_defaultEdgeLabelFn": [Function], "_defaultNodeLabelFn": [Function], "_edgeLabels": Object {}, "_edgeObjs": Object {}, "_in": Object {}, "_isCompound": false, "_isDirected": true, "_isMultigraph": false, "_label": Object {}, "_nodes": Object {}, "_out": Object {}, "_preds": Object {}, "_sucs": Object {}, } } onClick={[Function]} onError={[Function]} selectedNodeId="node1" /> <SidePanel isBusy={false} isOpen={true} onClose={[Function]} title="node1" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={4} tabs={ Array [ "Input/Output", "Visualizations", "ML Metadata", "Volumes", "Logs", "Pod", "Events", ] } /> <div className="page" data-testid="run-details-node-details" > <div className="page" > <div className="pageOverflowHidden" > <LogViewer logLines={ Array [ "", ] } /> </div> </div> </div> </div> </SidePanel> <div className="footer" > <div className="flex" > <pure(InfoOutlinedIcon) className="infoIcon" /> <span className="infoSpan" > Runtime execution graph. Only steps that are currently running or have already completed are shown. </span> </div> </div> </div> </div> </div> </div> </div> `; exports[`RunDetails logs tab keeps side pane open and on same tab when logs change after refresh 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="page graphPane" > <div className="page" > <EnhancedGraph graph={ Graph { "_defaultEdgeLabelFn": [Function], "_defaultNodeLabelFn": [Function], "_edgeLabels": Object {}, "_edgeObjs": Object {}, "_in": Object {}, "_isCompound": false, "_isDirected": true, "_isMultigraph": false, "_label": Object {}, "_nodes": Object {}, "_out": Object {}, "_preds": Object {}, "_sucs": Object {}, } } onClick={[Function]} onError={[Function]} selectedNodeId="node1" /> <SidePanel isBusy={false} isOpen={true} onClose={[Function]} title="node1" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={4} tabs={ Array [ "Input/Output", "Visualizations", "ML Metadata", "Volumes", "Logs", "Pod", "Events", ] } /> <div className="page" data-testid="run-details-node-details" > <div className="page" > <div className="pageOverflowHidden" > <LogViewer logLines={ Array [ "new test logs", ] } /> </div> </div> </div> </div> </SidePanel> <div className="footer" > <div className="flex" > <pure(InfoOutlinedIcon) className="infoIcon" /> <span className="infoSpan" > Runtime execution graph. Only steps that are currently running or have already completed are shown. </span> </div> </div> </div> </div> </div> </div> </div> `; exports[`RunDetails logs tab loads and shows logs in side pane 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="page graphPane" > <div className="page" > <EnhancedGraph graph={ Graph { "_defaultEdgeLabelFn": [Function], "_defaultNodeLabelFn": [Function], "_edgeLabels": Object {}, "_edgeObjs": Object {}, "_in": Object {}, "_isCompound": false, "_isDirected": true, "_isMultigraph": false, "_label": Object {}, "_nodes": Object {}, "_out": Object {}, "_preds": Object {}, "_sucs": Object {}, } } onClick={[Function]} onError={[Function]} selectedNodeId="node1" /> <SidePanel isBusy={false} isOpen={true} onClose={[Function]} title="node1" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={4} tabs={ Array [ "Input/Output", "Visualizations", "ML Metadata", "Volumes", "Logs", "Pod", "Events", ] } /> <div className="page" data-testid="run-details-node-details" > <div className="page" > <div className="pageOverflowHidden" > <LogViewer logLines={ Array [ "test logs", ] } /> </div> </div> </div> </div> </SidePanel> <div className="footer" > <div className="flex" > <pure(InfoOutlinedIcon) className="infoIcon" /> <span className="infoSpan" > Runtime execution graph. Only steps that are currently running or have already completed are shown. </span> </div> </div> </div> </div> </div> </div> </div> `; exports[`RunDetails logs tab switches to logs tab in side pane 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="page graphPane" > <div className="page" > <EnhancedGraph graph={ Graph { "_defaultEdgeLabelFn": [Function], "_defaultNodeLabelFn": [Function], "_edgeLabels": Object {}, "_edgeObjs": Object {}, "_in": Object {}, "_isCompound": false, "_isDirected": true, "_isMultigraph": false, "_label": Object {}, "_nodes": Object {}, "_out": Object {}, "_preds": Object {}, "_sucs": Object {}, } } onClick={[Function]} onError={[Function]} selectedNodeId="node1" /> <SidePanel isBusy={true} isOpen={true} onClose={[Function]} title="node1" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={4} tabs={ Array [ "Input/Output", "Visualizations", "ML Metadata", "Volumes", "Logs", "Pod", "Events", ] } /> <div className="page" data-testid="run-details-node-details" > <div className="page" > <div className="pageOverflowHidden" > <LogViewer logLines={ Array [ "", ] } /> </div> </div> </div> </div> </SidePanel> <div className="footer" > <div className="flex" > <pure(InfoOutlinedIcon) className="infoIcon" /> <span className="infoSpan" > Runtime execution graph. Only steps that are currently running or have already completed are shown. </span> </div> </div> </div> </div> </div> </div> </div> `; exports[`RunDetails opens side panel when graph node is clicked 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="page graphPane" > <div className="page" > <EnhancedGraph graph={ Graph { "_defaultEdgeLabelFn": [Function], "_defaultNodeLabelFn": [Function], "_edgeLabels": Object {}, "_edgeObjs": Object {}, "_in": Object {}, "_isCompound": false, "_isDirected": true, "_isMultigraph": false, "_label": Object {}, "_nodes": Object {}, "_out": Object {}, "_preds": Object {}, "_sucs": Object {}, } } onClick={[Function]} onError={[Function]} selectedNodeId="node1" /> <SidePanel isBusy={false} isOpen={true} onClose={[Function]} title="node1" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Input/Output", "Visualizations", "ML Metadata", "Volumes", "Logs", "Pod", "Events", ] } /> <div className="page" data-testid="run-details-node-details" > <div className="" > <DetailsTable fields={Array []} key="input-parameters-node1" title="Input parameters" /> <DetailsTable fields={Array []} key="input-artifacts-node1" title="Input artifacts" valueComponent={[Function]} valueComponentProps={ Object { "namespace": undefined, } } /> <DetailsTable fields={Array []} key="output-parameters-node1" title="Output parameters" /> <DetailsTable fields={Array []} key="output-artifacts-node1" title="Output artifacts" valueComponent={[Function]} valueComponentProps={ Object { "namespace": undefined, } } /> </div> </div> </div> </SidePanel> <div className="footer" > <div className="flex" > <pure(InfoOutlinedIcon) className="infoIcon" /> <span className="infoSpan" > Runtime execution graph. Only steps that are currently running or have already completed are shown. </span> </div> </div> </div> </div> </div> </div> </div> `; exports[`RunDetails renders an empty run 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="page graphPane" > <div> <span style={ Object { "margin": "40px auto", } } > No graph to show </span> </div> </div> </div> </div> </div> `; exports[`RunDetails shows a one-node graph 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="page graphPane" > <div className="page" > <EnhancedGraph graph={ Graph { "_defaultEdgeLabelFn": [Function], "_defaultNodeLabelFn": [Function], "_edgeLabels": Object {}, "_edgeObjs": Object {}, "_in": Object {}, "_isCompound": false, "_isDirected": true, "_isMultigraph": false, "_label": Object {}, "_nodes": Object {}, "_out": Object {}, "_preds": Object {}, "_sucs": Object {}, } } onClick={[Function]} onError={[Function]} selectedNodeId="" /> <SidePanel isBusy={false} isOpen={false} onClose={[Function]} title="" /> <div className="footer" > <div className="flex" > <pure(InfoOutlinedIcon) className="infoIcon" /> <span className="infoSpan" > Runtime execution graph. Only steps that are currently running or have already completed are shown. </span> </div> </div> </div> </div> </div> </div> </div> `; exports[`RunDetails shows failure run status in page title 1`] = ` <div className="flex" > <WithStyles(Tooltip) title={ <div> <div> Resource failed to execute </div> <div> Start: 1/2/2019, 12:34:56 PM </div> </div> } > <span style={ Object { "height": 18, } } > <pure(ErrorIcon) style={ Object { "color": "#d50000", "height": 18, "width": 18, } } /> </span> </WithStyles(Tooltip)> <span style={ Object { "marginLeft": 10, } } > test run </span> </div> `; exports[`RunDetails shows run config fields - handles no description 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={2} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="" > <DetailsTable fields={ Array [ Array [ "Status", "Skipped", ], Array [ "Description", undefined, ], Array [ "Created at", "1/2/2019, 12:34:56 PM", ], Array [ "Started at", "1/2/2019, 12:34:56 PM", ], Array [ "Finished at", "1/2/2019, 12:34:56 PM", ], Array [ "Duration", "25:01:01", ], ] } title="Run details" /> </div> </div> </div> </div> `; exports[`RunDetails shows run config fields - handles no metadata 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={2} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="" > <DetailsTable fields={ Array [ Array [ "Status", "Skipped", ], Array [ "Description", "test run description", ], Array [ "Created at", "-", ], Array [ "Started at", "1/2/2019, 12:34:56 PM", ], Array [ "Finished at", "1/2/2019, 12:34:56 PM", ], Array [ "Duration", "25:01:01", ], ] } title="Run details" /> </div> </div> </div> </div> `; exports[`RunDetails shows run config fields 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={2} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="" > <DetailsTable fields={ Array [ Array [ "Status", "Skipped", ], Array [ "Description", "test run description", ], Array [ "Created at", "1/2/2019, 12:34:56 PM", ], Array [ "Started at", "1/2/2019, 12:34:56 PM", ], Array [ "Finished at", "1/2/2019, 12:34:56 PM", ], Array [ "Duration", "25:01:01", ], ] } title="Run details" /> <div> <DetailsTable fields={ Array [ Array [ "param1", "value1", ], Array [ "param2", "value2", ], ] } title="Run parameters" /> </div> </div> </div> </div> </div> `; exports[`RunDetails shows success run status in page title 1`] = ` <div className="flex" > <WithStyles(Tooltip) title={ <div> <div> Executed successfully </div> <div> Start: 1/2/2019, 12:34:56 PM </div> </div> } > <span style={ Object { "height": 18, } } > <pure(CheckCircleIcon) style={ Object { "color": "#34a853", "height": 18, "width": 18, } } /> </span> </WithStyles(Tooltip)> <span style={ Object { "marginLeft": 10, } } > test run </span> </div> `; exports[`RunDetails switches to config tab 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={2} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="" > <DetailsTable fields={Array []} title="Run details" /> </div> </div> </div> </div> `; exports[`RunDetails switches to inputs/outputs tab in side pane 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="page graphPane" > <div className="page" > <EnhancedGraph graph={ Graph { "_defaultEdgeLabelFn": [Function], "_defaultNodeLabelFn": [Function], "_edgeLabels": Object {}, "_edgeObjs": Object {}, "_in": Object {}, "_isCompound": false, "_isDirected": true, "_isMultigraph": false, "_label": Object {}, "_nodes": Object {}, "_out": Object {}, "_preds": Object {}, "_sucs": Object {}, } } onClick={[Function]} onError={[Function]} selectedNodeId="node1" /> <SidePanel isBusy={false} isOpen={true} onClose={[Function]} title="node1" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Input/Output", "Visualizations", "ML Metadata", "Volumes", "Logs", "Pod", "Events", ] } /> <div className="page" data-testid="run-details-node-details" > <div className="" > <DetailsTable fields={ Array [ Array [ "input1", "val1", ], ] } key="input-parameters-node1" title="Input parameters" /> <DetailsTable fields={Array []} key="input-artifacts-node1" title="Input artifacts" valueComponent={[Function]} valueComponentProps={ Object { "namespace": undefined, } } /> <DetailsTable fields={ Array [ Array [ "output1", "val1", ], Array [ "output2", "value2", ], ] } key="output-parameters-node1" title="Output parameters" /> <DetailsTable fields={Array []} key="output-artifacts-node1" title="Output artifacts" valueComponent={[Function]} valueComponentProps={ Object { "namespace": undefined, } } /> </div> </div> </div> </SidePanel> <div className="footer" > <div className="flex" > <pure(InfoOutlinedIcon) className="infoIcon" /> <span className="infoSpan" > Runtime execution graph. Only steps that are currently running or have already completed are shown. </span> </div> </div> </div> </div> </div> </div> </div> `; exports[`RunDetails switches to manifest tab in side pane 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="page graphPane" > <div className="page" > <EnhancedGraph graph={ Graph { "_defaultEdgeLabelFn": [Function], "_defaultNodeLabelFn": [Function], "_edgeLabels": Object {}, "_edgeObjs": Object {}, "_in": Object {}, "_isCompound": false, "_isDirected": true, "_isMultigraph": false, "_label": Object {}, "_nodes": Object {}, "_out": Object {}, "_preds": Object {}, "_sucs": Object {}, } } onClick={[Function]} onError={[Function]} selectedNodeId="node1" /> <SidePanel isBusy={false} isOpen={true} onClose={[Function]} title="node1" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={7} tabs={ Array [ "Input/Output", "Visualizations", "ML Metadata", "Volumes", "Logs", "Pod", "Events", ] } /> <div className="page" data-testid="run-details-node-details" > <div className="" > <DetailsTable fields={Array []} title="Resource Manifest" /> </div> </div> </div> </SidePanel> <div className="footer" > <div className="flex" > <pure(InfoOutlinedIcon) className="infoIcon" /> <span className="infoSpan" > Runtime execution graph. Only steps that are currently running or have already completed are shown. </span> </div> </div> </div> </div> </div> </div> </div> `; exports[`RunDetails switches to run output tab, shows empty message 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={1} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="" > <span> No metrics found for this run. </span> <Separator orientation="vertical" /> <Hr /> <span> No output artifacts found for this run. </span> </div> </div> </div> </div> `; exports[`RunDetails switches to volumes tab in side pane 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "Run output", "Config", ] } /> <div className="page" > <div className="page graphPane" > <div className="page" > <EnhancedGraph graph={ Graph { "_defaultEdgeLabelFn": [Function], "_defaultNodeLabelFn": [Function], "_edgeLabels": Object {}, "_edgeObjs": Object {}, "_in": Object {}, "_isCompound": false, "_isDirected": true, "_isMultigraph": false, "_label": Object {}, "_nodes": Object {}, "_out": Object {}, "_preds": Object {}, "_sucs": Object {}, } } onClick={[Function]} onError={[Function]} selectedNodeId="node1" /> <SidePanel isBusy={false} isOpen={true} onClose={[Function]} title="node1" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={3} tabs={ Array [ "Input/Output", "Visualizations", "ML Metadata", "Volumes", "Logs", "Pod", "Events", ] } /> <div className="page" data-testid="run-details-node-details" > <div className="" > <DetailsTable fields={Array []} title="Volume Mounts" /> </div> </div> </div> </SidePanel> <div className="footer" > <div className="flex" > <pure(InfoOutlinedIcon) className="infoIcon" /> <span className="infoSpan" > Runtime execution graph. Only steps that are currently running or have already completed are shown. </span> </div> </div> </div> </div> </div> </div> </div> `;
7,830
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/404.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`404 renders a 404 page 1`] = ` <div style={ Object { "margin": "100px auto", "textAlign": "center", } } > <div style={ Object { "color": "#aaa", "fontSize": 50, "fontWeight": "bold", } } > 404 </div> <div style={ Object { "fontSize": 16, } } > Page Not Found: some bad page </div> </div> `;
7,831
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/ExperimentList.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`ExperimentList renders a list of one experiment 1`] = ` <div className="page" > <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Experiment name", "sortKey": "name", }, Object { "flex": 2, "label": "Description", }, Object { "customRenderer": [Function], "flex": 1, "label": "Last 5 runs", }, ] } disableSelection={true} emptyMessage="No experiments found. Click \\"Create experiment\\" to start." filterLabel="Filter experiments" getExpandComponent={[Function]} initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "error": undefined, "expandState": 0, "id": undefined, "otherFields": Array [ "test experiment name", "test experiment description", undefined, ], }, ] } toggleExpansion={[Function]} /> </div> `; exports[`ExperimentList renders a list of one experiment with error 1`] = ` <div className="page" > <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Experiment name", "sortKey": "name", }, Object { "flex": 2, "label": "Description", }, Object { "customRenderer": [Function], "flex": 1, "label": "Last 5 runs", }, ] } disableSelection={true} emptyMessage="No experiments found. Click \\"Create experiment\\" to start." filterLabel="Filter experiments" getExpandComponent={[Function]} initialSortColumn="created_at" reload={[Function]} rows={Array []} toggleExpansion={[Function]} /> </div> `; exports[`ExperimentList renders a list of one experiment with no description 1`] = ` <div className="page" > <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Experiment name", "sortKey": "name", }, Object { "flex": 2, "label": "Description", }, Object { "customRenderer": [Function], "flex": 1, "label": "Last 5 runs", }, ] } disableSelection={true} emptyMessage="No experiments found. Click \\"Create experiment\\" to start." filterLabel="Filter experiments" getExpandComponent={[Function]} initialSortColumn="created_at" reload={[Function]} rows={Array []} toggleExpansion={[Function]} /> </div> `; exports[`ExperimentList renders an empty list with empty state message 1`] = ` <div className="page" > <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Experiment name", "sortKey": "name", }, Object { "flex": 2, "label": "Description", }, Object { "customRenderer": [Function], "flex": 1, "label": "Last 5 runs", }, ] } disableSelection={true} emptyMessage="No experiments found. Click \\"Create experiment\\" to start." filterLabel="Filter experiments" getExpandComponent={[Function]} initialSortColumn="created_at" reload={[Function]} rows={Array []} toggleExpansion={[Function]} /> </div> `; exports[`ExperimentList renders experiment names as links to their details pages 1`] = ` <WithStyles(Tooltip) enterDelay={300} placement="top-start" title="experiment name" > <Link className="link" onClick={[Function]} replace={false} to="/experiments/details/experiment-id" > experiment name </Link> </WithStyles(Tooltip)> `; exports[`ExperimentList renders last 5 runs statuses 1`] = ` <div className="flex" > <span style={ Object { "margin": "0 1px", } } > <WithStyles(Tooltip) title={ <div> <div> Executed successfully </div> </div> } > <span style={ Object { "height": 18, } } > <pure(CheckCircleIcon) style={ Object { "color": "#34a853", "height": 18, "width": 18, } } /> </span> </WithStyles(Tooltip)> </span> <span style={ Object { "margin": "0 1px", } } > <WithStyles(Tooltip) title={ <div> <div> Pending execution </div> </div> } > <span style={ Object { "height": 18, } } > <pure(ScheduleIcon) style={ Object { "color": "#9aa0a6", "height": 18, "width": 18, } } /> </span> </WithStyles(Tooltip)> </span> <span style={ Object { "margin": "0 1px", } } > <WithStyles(Tooltip) title={ <div> <div> Resource failed to execute </div> </div> } > <span style={ Object { "height": 18, } } > <pure(ErrorIcon) style={ Object { "color": "#d50000", "height": 18, "width": 18, } } /> </span> </WithStyles(Tooltip)> </span> <span style={ Object { "margin": "0 1px", } } > <WithStyles(Tooltip) title={ <div> <div> Unknown status </div> </div> } > <span style={ Object { "height": 18, } } > <pure(HelpIcon) style={ Object { "color": "#5f6368", "height": 18, "width": 18, } } /> </span> </WithStyles(Tooltip)> </span> <span style={ Object { "margin": "0 1px", } } > <WithStyles(Tooltip) title={ <div> <div> Executed successfully </div> </div> } > <span style={ Object { "height": 18, } } > <pure(CheckCircleIcon) style={ Object { "color": "#34a853", "height": 18, "width": 18, } } /> </span> </WithStyles(Tooltip)> </span> </div> `;
7,832
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/Status.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`Status statusToIcon displays start and end dates if both are provided 1`] = ` <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-1", "popperInteractive": "MuiTooltip-popperInteractive-2", "tooltip": "MuiTooltip-tooltip-3", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-8", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-5", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-6", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-7", "touch": "MuiTooltip-touch-4", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={0} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title={ <div> <div> Executed successfully </div> <div> Start: 1/2/2019, 9:10:11 AM </div> <div> End: 1/3/2019, 10:11:12 AM </div> </div> } > <span style={ Object { "height": 18, } } > <pure(CheckCircleIcon) style={ Object { "color": "#34a853", "height": 18, "width": 18, } } /> </span> </Tooltip> `; exports[`Status statusToIcon does not display a end date if none was provided 1`] = ` <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-1", "popperInteractive": "MuiTooltip-popperInteractive-2", "tooltip": "MuiTooltip-tooltip-3", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-8", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-5", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-6", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-7", "touch": "MuiTooltip-touch-4", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={0} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title={ <div> <div> Executed successfully </div> <div> Start: 1/2/2019, 9:10:11 AM </div> </div> } > <span style={ Object { "height": 18, } } > <pure(CheckCircleIcon) style={ Object { "color": "#34a853", "height": 18, "width": 18, } } /> </span> </Tooltip> `; exports[`Status statusToIcon does not display a start date if none was provided 1`] = ` <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-1", "popperInteractive": "MuiTooltip-popperInteractive-2", "tooltip": "MuiTooltip-tooltip-3", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-8", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-5", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-6", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-7", "touch": "MuiTooltip-touch-4", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={0} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title={ <div> <div> Executed successfully </div> <div> End: 1/3/2019, 10:11:12 AM </div> </div> } > <span style={ Object { "height": 18, } } > <pure(CheckCircleIcon) style={ Object { "color": "#34a853", "height": 18, "width": 18, } } /> </span> </Tooltip> `; exports[`Status statusToIcon does not display any dates if neither was provided 1`] = ` <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-1", "popperInteractive": "MuiTooltip-popperInteractive-2", "tooltip": "MuiTooltip-tooltip-3", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-8", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-5", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-6", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-7", "touch": "MuiTooltip-touch-4", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={0} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title={ <div> <div> Executed successfully </div> </div> } > <span style={ Object { "height": 18, } } > <pure(CheckCircleIcon) style={ Object { "color": "#34a853", "height": 18, "width": 18, } } /> </span> </Tooltip> `; exports[`Status statusToIcon handles an undefined phase 1`] = ` <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-1", "popperInteractive": "MuiTooltip-popperInteractive-2", "tooltip": "MuiTooltip-tooltip-3", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-8", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-5", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-6", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-7", "touch": "MuiTooltip-touch-4", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={0} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title={ <div> <div> Unknown status </div> </div> } > <span style={ Object { "height": 18, } } > <pure(HelpIcon) style={ Object { "color": "#5f6368", "height": 18, "width": 18, } } /> </span> </Tooltip> `; exports[`Status statusToIcon handles an unknown phase 1`] = ` <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-1", "popperInteractive": "MuiTooltip-popperInteractive-2", "tooltip": "MuiTooltip-tooltip-3", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-8", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-5", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-6", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-7", "touch": "MuiTooltip-touch-4", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={0} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title={ <div> <div> Unknown status </div> </div> } > <span style={ Object { "height": 18, } } > <pure(HelpIcon) style={ Object { "color": "#5f6368", "height": 18, "width": 18, } } /> </span> </Tooltip> `; exports[`Status statusToIcon renders an icon with tooltip for phase: CACHED 1`] = ` <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-1", "popperInteractive": "MuiTooltip-popperInteractive-2", "tooltip": "MuiTooltip-tooltip-3", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-8", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-5", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-6", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-7", "touch": "MuiTooltip-touch-4", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={0} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title={ <div> <div> Execution was skipped and outputs were taken from cache </div> </div> } > <span style={ Object { "height": 18, } } > <pure(CachedIcon) style={ Object { "color": "#34a853", "height": 18, "width": 18, } } /> </span> </Tooltip> `; exports[`Status statusToIcon renders an icon with tooltip for phase: ERROR 1`] = ` <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-1", "popperInteractive": "MuiTooltip-popperInteractive-2", "tooltip": "MuiTooltip-tooltip-3", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-8", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-5", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-6", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-7", "touch": "MuiTooltip-touch-4", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={0} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title={ <div> <div> Error while running this resource </div> </div> } > <span style={ Object { "height": 18, } } > <pure(ErrorIcon) style={ Object { "color": "#d50000", "height": 18, "width": 18, } } /> </span> </Tooltip> `; exports[`Status statusToIcon renders an icon with tooltip for phase: FAILED 1`] = ` <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-1", "popperInteractive": "MuiTooltip-popperInteractive-2", "tooltip": "MuiTooltip-tooltip-3", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-8", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-5", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-6", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-7", "touch": "MuiTooltip-touch-4", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={0} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title={ <div> <div> Resource failed to execute </div> </div> } > <span style={ Object { "height": 18, } } > <pure(ErrorIcon) style={ Object { "color": "#d50000", "height": 18, "width": 18, } } /> </span> </Tooltip> `; exports[`Status statusToIcon renders an icon with tooltip for phase: PENDING 1`] = ` <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-1", "popperInteractive": "MuiTooltip-popperInteractive-2", "tooltip": "MuiTooltip-tooltip-3", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-8", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-5", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-6", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-7", "touch": "MuiTooltip-touch-4", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={0} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title={ <div> <div> Pending execution </div> </div> } > <span style={ Object { "height": 18, } } > <pure(ScheduleIcon) style={ Object { "color": "#9aa0a6", "height": 18, "width": 18, } } /> </span> </Tooltip> `; exports[`Status statusToIcon renders an icon with tooltip for phase: RUNNING 1`] = ` <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-1", "popperInteractive": "MuiTooltip-popperInteractive-2", "tooltip": "MuiTooltip-tooltip-3", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-8", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-5", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-6", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-7", "touch": "MuiTooltip-touch-4", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={0} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title={ <div> <div> Running </div> </div> } > <span style={ Object { "height": 18, } } > <StatusRunning style={ Object { "color": "#4285f4", "height": 18, "width": 18, } } /> </span> </Tooltip> `; exports[`Status statusToIcon renders an icon with tooltip for phase: SKIPPED 1`] = ` <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-1", "popperInteractive": "MuiTooltip-popperInteractive-2", "tooltip": "MuiTooltip-tooltip-3", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-8", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-5", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-6", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-7", "touch": "MuiTooltip-touch-4", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={0} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title={ <div> <div> Execution has been skipped for this resource </div> </div> } > <span style={ Object { "height": 18, } } > <pure(SkipNextIcon) style={ Object { "color": "#5f6368", "height": 18, "width": 18, } } /> </span> </Tooltip> `; exports[`Status statusToIcon renders an icon with tooltip for phase: SUCCEEDED 1`] = ` <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-1", "popperInteractive": "MuiTooltip-popperInteractive-2", "tooltip": "MuiTooltip-tooltip-3", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-8", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-5", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-6", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-7", "touch": "MuiTooltip-touch-4", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={0} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title={ <div> <div> Executed successfully </div> </div> } > <span style={ Object { "height": 18, } } > <pure(CheckCircleIcon) style={ Object { "color": "#34a853", "height": 18, "width": 18, } } /> </span> </Tooltip> `; exports[`Status statusToIcon renders an icon with tooltip for phase: TERMINATED 1`] = ` <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-1", "popperInteractive": "MuiTooltip-popperInteractive-2", "tooltip": "MuiTooltip-tooltip-3", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-8", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-5", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-6", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-7", "touch": "MuiTooltip-touch-4", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={0} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title={ <div> <div> Run was manually terminated </div> </div> } > <span style={ Object { "height": 18, } } > <StatusRunning style={ Object { "color": "#80868b", "height": 18, "width": 18, } } /> </span> </Tooltip> `; exports[`Status statusToIcon renders an icon with tooltip for phase: TERMINATING 1`] = ` <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-1", "popperInteractive": "MuiTooltip-popperInteractive-2", "tooltip": "MuiTooltip-tooltip-3", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-8", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-5", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-6", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-7", "touch": "MuiTooltip-touch-4", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={0} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title={ <div> <div> Run is terminating </div> </div> } > <span style={ Object { "height": 18, } } > <StatusRunning style={ Object { "color": "#4285f4", "height": 18, "width": 18, } } /> </span> </Tooltip> `; exports[`Status statusToIcon renders an icon with tooltip for phase: UNKNOWN 1`] = ` <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-1", "popperInteractive": "MuiTooltip-popperInteractive-2", "tooltip": "MuiTooltip-tooltip-3", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-8", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-5", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-6", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-7", "touch": "MuiTooltip-touch-4", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={0} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title={ <div> <div> Unknown status </div> </div> } > <span style={ Object { "height": 18, } } > <pure(HelpIcon) style={ Object { "color": "#5f6368", "height": 18, "width": 18, } } /> </span> </Tooltip> `;
7,833
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/ResourceSelector.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`ResourceSelector displays resource selector 1`] = ` <Fragment> <Toolbar actions={Object {}} breadcrumbs={Array []} pageTitle="A test selector" /> <CustomTable columns={ Array [ Object { "flex": 1, "label": "Resource name", "sortKey": "name", }, Object { "flex": 1.5, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="Test - Sorry, no resources." filterLabel="test filter label" initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "error": undefined, "id": "some-id-1", "otherFields": Array [ "test-1 name", "test-1 description", "2/2/2018, 3:04:05 AM", ], }, Object { "error": undefined, "id": "some-2-id", "otherFields": Array [ "test-2 name", "test-2 description", "11/9/2018, 8:07:06 AM", ], }, ] } selectedIds={Array []} updateSelection={[Function]} useRadioButtons={true} /> </Fragment> `;
7,834
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/GettingStarted.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`GettingStarted page initially renders documentation 1`] = ` <div> <div class="page kfp-start-page" > <div> <br /> <h2 id="build-your-own-pipeline-with" > Build your own pipeline with </h2> <ul> <li> TensorFlow Extended (TFX) <a class="link" href="https://www.tensorflow.org/tfx/guide" rel="noopener" target="_blank" > SDK </a> with end-to-end ML Pipeline Template ( <a class="link" href="https://console.cloud.google.com/mlengine/notebooks/deploy-notebook?q=download_url%3Dhttps%253A%252F%252Fraw.githubusercontent.com%252Ftensorflow%252Ftfx%252Fmaster%252Fdocs%252Ftutorials%252Ftfx%252Ftemplate.ipynb" rel="noopener" target="_blank" > Open TF 2.1 Notebook </a> ) </li> <li> Kubeflow Pipelines <a class="link" href="https://www.kubeflow.org/docs/pipelines/sdk/" rel="noopener" target="_blank" > SDK </a> </li> </ul> <br /> <h2 id="demonstrations-and-tutorials" > Demonstrations and Tutorials </h2> <p> This section contains demo and tutorial pipelines. </p> <p> <strong> Demos </strong> - Try an end-to-end demonstration pipeline. </p> <ul> <li> <a class="link" href="#/pipelines" > TFX pipeline demo </a> <ul> <li> Classification pipeline with model analysis, based on a public BigQuery dataset of taxicab trips. <a class="link" href="https://github.com/kubeflow/pipelines/tree/master/samples/core/parameterized_tfx_oss" rel="noopener" target="_blank" > source code </a> </li> </ul> </li> <li> <a class="link" href="#/pipelines" > XGBoost Pipeline demo </a> <ul> <li> An example of end-to-end distributed training for an XGBoost model. <a class="link" href="https://github.com/kubeflow/pipelines/tree/master/samples/core/xgboost_training_cm" rel="noopener" target="_blank" > source code </a> </li> </ul> </li> </ul> <br /> <p> <strong> Tutorials </strong> - Learn pipeline concepts by following a tutorial. </p> <ul> <li> <a class="link" href="#/pipelines" > Data passing in python components </a> <ul> <li> Shows how to pass data between python components. <a class="link" href="https://github.com/kubeflow/pipelines/tree/master/samples/tutorials/Data%20passing%20in%20python%20components" rel="noopener" target="_blank" > source code </a> </li> </ul> </li> <li> <a class="link" href="#/pipelines" > DSL - Control structures </a> <ul> <li> Shows how to use conditional execution and exit handlers. <a class="link" href="https://github.com/kubeflow/pipelines/tree/master/samples/tutorials/DSL%20-%20Control%20structures" rel="noopener" target="_blank" > source code </a> </li> </ul> </li> </ul> <p> Want to learn more? <a class="link" href="https://www.kubeflow.org/docs/pipelines/tutorials/" rel="noopener" target="_blank" > Learn from sample and tutorial pipelines. </a> </p> </div> </div> </div> `; exports[`GettingStarted page renders documentation with pipeline deep link after querying demo pipelines 1`] = ` Array [ Array [ undefined, 10, undefined, "%7B%22predicates%22%3A%5B%7B%22key%22%3A%22name%22%2C%22op%22%3A%22EQUALS%22%2C%22string_value%22%3A%22%5BDemo%5D%20XGBoost%20-%20Training%20with%20confusion%20matrix%22%7D%5D%7D", ], Array [ undefined, 10, undefined, "%7B%22predicates%22%3A%5B%7B%22key%22%3A%22name%22%2C%22op%22%3A%22EQUALS%22%2C%22string_value%22%3A%22%5BDemo%5D%20TFX%20-%20Taxi%20tip%20prediction%20model%20trainer%22%7D%5D%7D", ], Array [ undefined, 10, undefined, "%7B%22predicates%22%3A%5B%7B%22key%22%3A%22name%22%2C%22op%22%3A%22EQUALS%22%2C%22string_value%22%3A%22%5BTutorial%5D%20Data%20passing%20in%20python%20components%22%7D%5D%7D", ], Array [ undefined, 10, undefined, "%7B%22predicates%22%3A%5B%7B%22key%22%3A%22name%22%2C%22op%22%3A%22EQUALS%22%2C%22string_value%22%3A%22%5BTutorial%5D%20DSL%20-%20Control%20structures%22%7D%5D%7D", ], ] `;
7,835
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/RecurringRunDetails.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`RecurringRunDetails renders a recurring run with cron schedule 1`] = ` <div className="page" > <div className="page" > <DetailsTable fields={ Array [ Array [ "Description", "test job description", ], Array [ "Created at", "9/5/2018, 4:03:02 AM", ], ] } title="Recurring run details" /> <DetailsTable fields={ Array [ Array [ "Enabled", "Yes", ], Array [ "Trigger", "* * * 0 0 !", ], Array [ "Max. concurrent runs", "50", ], Array [ "Catchup", "true", ], Array [ "Start time", "10/8/2018, 7:06:00 AM", ], Array [ "End time", "11/9/2018, 8:07:06 AM", ], ] } title="Run trigger" /> <DetailsTable fields={ Array [ Array [ "param1", "value1", ], ] } title="Run parameters" /> </div> </div> `; exports[`RecurringRunDetails renders a recurring run with periodic schedule 1`] = ` <div className="page" > <div className="page" > <DetailsTable fields={ Array [ Array [ "Description", "test job description", ], Array [ "Created at", "9/5/2018, 4:03:02 AM", ], ] } title="Recurring run details" /> <DetailsTable fields={ Array [ Array [ "Enabled", "Yes", ], Array [ "Trigger", "Every 1 hours", ], Array [ "Max. concurrent runs", "50", ], Array [ "Catchup", "false", ], Array [ "Start time", "10/8/2018, 7:06:00 AM", ], Array [ "End time", "11/9/2018, 8:07:06 AM", ], ] } title="Run trigger" /> <DetailsTable fields={ Array [ Array [ "param1", "value1", ], ] } title="Run parameters" /> </div> </div> `;
7,836
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/NewRun.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`NewRun arriving from pipeline details page indicates that a pipeline is preselected and provides a means of selecting a different pipeline 1`] = ` <div className="page" > <div className="scrollContainer" > <div className="header" > Run details </div> <div> <span> Using pipeline from previous page </span> <Link replace={false} to="/pipelines/details/?fromRun=some-mock-run-id" > [View pipeline] </Link> </div> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipelines found. Upload a pipeline and then try again." filterLabel="Filter pipelines" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?fromRun=some-mock-run-id", } } match="" selectionChanged={[Function]} title="Choose a pipeline" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="usePipelineBtn" onClick={[Function]} > Use this pipeline </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineVersionSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 1, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipeline versions found. Select or upload a pipeline then try again." filterLabel="Filter pipeline versions" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?fromRun=some-mock-run-id", } } match="" selectionChanged={[Function]} title="Choose a pipeline version" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineVersionSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="usePipelineVersionBtn" onClick={[Function]} > Use this pipeline version </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <UploadPipelineDialog onClose={[Function]} open={false} /> <WithStyles(Dialog) PaperProps={ Object { "id": "experimentSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Experiment name", "sortKey": "name", }, Object { "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Created at", "sortKey": "created_at", }, ] } emptyMessage="No experiments found. Create an experiment and then try again." filterLabel="Filter experiments" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?fromRun=some-mock-run-id", } } match="" selectionChanged={[Function]} title="Choose an experiment" toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelExperimentSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="useExperimentBtn" onClick={[Function]} > Use this experiment </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <Input autoFocus={true} label="Run name" onChange={[Function]} required={true} value="" variant="outlined" /> <Input label="Description (optional)" multiline={true} onChange={[Function]} value="" variant="outlined" /> <div> This run will be associated with the following experiment </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="chooseExperimentBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Experiment" required={true} value="" variant="outlined" /> <div> This run will use the following Kubernetes service account. <HelpButton helpText={ <div> Note, the service account needs <ExternalLink href="https://github.com/argoproj/argo/blob/v2.3.0/docs/workflow-rbac.md" > minimum permissions required by argo workflows </ExternalLink> and extra permissions the specific task requires. </div> } /> </div> <Input label="Service Account (Optional)" onChange={[Function]} value="" variant="outlined" /> <div className="header" > Run Type </div> <WithStyles(WithFormControlContext(FormControlLabel)) checked={true} control={ <WithStyles(Radio) color="primary" /> } id="oneOffToggle" label="One-off" onChange={[Function]} /> <WithStyles(WithFormControlContext(FormControlLabel)) checked={false} control={ <WithStyles(Radio) color="primary" /> } id="recurringToggle" label="Recurring" onChange={[Function]} /> <NewRunParameters handleParamChange={[Function]} initialParams={Array []} titleMessage="This pipeline has no parameters" /> <div className="flex" > <BusyButton busy={false} className="buttonAction" disabled={true} id="startNewRunBtn" onClick={[Function]} title="Start" /> <WithStyles(Button) id="exitNewRunPageBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <div className="" style={ Object { "color": "red", } } > Run name is required </div> </div> </div> </div> `; exports[`NewRun changes the exit button's text if query params indicate this is the first run of an experiment 1`] = ` <div className="page" > <div className="scrollContainer" > <div className="header" > Run details </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline" required={true} value="" variant="outlined" /> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineVersionBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline Version" required={true} value="" variant="outlined" /> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipelines found. Upload a pipeline and then try again." filterLabel="Filter pipelines" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id&firstRunInExperiment=1", } } match="" selectionChanged={[Function]} title="Choose a pipeline" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="usePipelineBtn" onClick={[Function]} > Use this pipeline </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineVersionSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 1, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipeline versions found. Select or upload a pipeline then try again." filterLabel="Filter pipeline versions" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id&firstRunInExperiment=1", } } match="" selectionChanged={[Function]} title="Choose a pipeline version" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineVersionSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="usePipelineVersionBtn" onClick={[Function]} > Use this pipeline version </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <UploadPipelineDialog onClose={[Function]} open={false} /> <WithStyles(Dialog) PaperProps={ Object { "id": "experimentSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Experiment name", "sortKey": "name", }, Object { "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Created at", "sortKey": "created_at", }, ] } emptyMessage="No experiments found. Create an experiment and then try again." filterLabel="Filter experiments" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id&firstRunInExperiment=1", } } match="" selectionChanged={[Function]} title="Choose an experiment" toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelExperimentSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="useExperimentBtn" onClick={[Function]} > Use this experiment </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <Input autoFocus={true} label="Run name" onChange={[Function]} required={true} value="" variant="outlined" /> <Input label="Description (optional)" multiline={true} onChange={[Function]} value="" variant="outlined" /> <div> This run will be associated with the following experiment </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="chooseExperimentBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Experiment" required={true} value="some mock experiment name" variant="outlined" /> <div> This run will use the following Kubernetes service account. <HelpButton helpText={ <div> Note, the service account needs <ExternalLink href="https://github.com/argoproj/argo/blob/v2.3.0/docs/workflow-rbac.md" > minimum permissions required by argo workflows </ExternalLink> and extra permissions the specific task requires. </div> } /> </div> <Input label="Service Account (Optional)" onChange={[Function]} value="" variant="outlined" /> <div className="header" > Run Type </div> <WithStyles(WithFormControlContext(FormControlLabel)) checked={true} control={ <WithStyles(Radio) color="primary" /> } id="oneOffToggle" label="One-off" onChange={[Function]} /> <WithStyles(WithFormControlContext(FormControlLabel)) checked={false} control={ <WithStyles(Radio) color="primary" /> } id="recurringToggle" label="Recurring" onChange={[Function]} /> <NewRunParameters handleParamChange={[Function]} initialParams={Array []} titleMessage="Parameters will appear after you select a pipeline" /> <div className="flex" > <BusyButton busy={false} className="buttonAction" disabled={true} id="startNewRunBtn" onClick={[Function]} title="Start" /> <WithStyles(Button) id="exitNewRunPageBtn" onClick={[Function]} > Skip this step </WithStyles(Button)> <div className="" style={ Object { "color": "red", } } > A pipeline version must be selected </div> </div> </div> </div> `; exports[`NewRun changes title and form if the new run will recur, based on the radio buttons 1`] = ` <div className="page" > <div className="scrollContainer" > <div className="header" > Run details </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline" required={true} value="" variant="outlined" /> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineVersionBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline Version" required={true} value="" variant="outlined" /> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipelines found. Upload a pipeline and then try again." filterLabel="Filter pipelines" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id", } } match="" selectionChanged={[Function]} title="Choose a pipeline" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="usePipelineBtn" onClick={[Function]} > Use this pipeline </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineVersionSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 1, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipeline versions found. Select or upload a pipeline then try again." filterLabel="Filter pipeline versions" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id", } } match="" selectionChanged={[Function]} title="Choose a pipeline version" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineVersionSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="usePipelineVersionBtn" onClick={[Function]} > Use this pipeline version </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <UploadPipelineDialog onClose={[Function]} open={false} /> <WithStyles(Dialog) PaperProps={ Object { "id": "experimentSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Experiment name", "sortKey": "name", }, Object { "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Created at", "sortKey": "created_at", }, ] } emptyMessage="No experiments found. Create an experiment and then try again." filterLabel="Filter experiments" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id", } } match="" selectionChanged={[Function]} title="Choose an experiment" toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelExperimentSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="useExperimentBtn" onClick={[Function]} > Use this experiment </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <Input autoFocus={true} label="Recurring run config name" onChange={[Function]} required={true} value="" variant="outlined" /> <Input label="Description (optional)" multiline={true} onChange={[Function]} value="" variant="outlined" /> <div> This run will be associated with the following experiment </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="chooseExperimentBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Experiment" required={true} value="some mock experiment name" variant="outlined" /> <div> This run will use the following Kubernetes service account. <HelpButton helpText={ <div> Note, the service account needs <ExternalLink href="https://github.com/argoproj/argo/blob/v2.3.0/docs/workflow-rbac.md" > minimum permissions required by argo workflows </ExternalLink> and extra permissions the specific task requires. </div> } /> </div> <Input label="Service Account (Optional)" onChange={[Function]} value="" variant="outlined" /> <div className="header" > Run Type </div> <WithStyles(WithFormControlContext(FormControlLabel)) checked={false} control={ <WithStyles(Radio) color="primary" /> } id="oneOffToggle" label="One-off" onChange={[Function]} /> <WithStyles(WithFormControlContext(FormControlLabel)) checked={true} control={ <WithStyles(Radio) color="primary" /> } id="recurringToggle" label="Recurring" onChange={[Function]} /> <div className="header" > Run trigger </div> <div> Choose a method by which new runs will be triggered </div> <Trigger onChange={[Function]} /> <NewRunParameters handleParamChange={[Function]} initialParams={Array []} titleMessage="Parameters will appear after you select a pipeline" /> <div className="flex" > <BusyButton busy={false} className="buttonAction" disabled={true} id="startNewRunBtn" onClick={[Function]} title="Start" /> <WithStyles(Button) id="exitNewRunPageBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <div className="" style={ Object { "color": "red", } } > A pipeline version must be selected </div> </div> </div> </div> `; exports[`NewRun changes title and form to default state if the new run is a one-off, based on the radio buttons 1`] = ` <div className="page" > <div className="scrollContainer" > <div className="header" > Run details </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline" required={true} value="" variant="outlined" /> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineVersionBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline Version" required={true} value="" variant="outlined" /> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipelines found. Upload a pipeline and then try again." filterLabel="Filter pipelines" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?recurring=1", } } match="" selectionChanged={[Function]} title="Choose a pipeline" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="usePipelineBtn" onClick={[Function]} > Use this pipeline </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineVersionSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 1, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipeline versions found. Select or upload a pipeline then try again." filterLabel="Filter pipeline versions" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?recurring=1", } } match="" selectionChanged={[Function]} title="Choose a pipeline version" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineVersionSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="usePipelineVersionBtn" onClick={[Function]} > Use this pipeline version </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <UploadPipelineDialog onClose={[Function]} open={false} /> <WithStyles(Dialog) PaperProps={ Object { "id": "experimentSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Experiment name", "sortKey": "name", }, Object { "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Created at", "sortKey": "created_at", }, ] } emptyMessage="No experiments found. Create an experiment and then try again." filterLabel="Filter experiments" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?recurring=1", } } match="" selectionChanged={[Function]} title="Choose an experiment" toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelExperimentSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="useExperimentBtn" onClick={[Function]} > Use this experiment </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <Input autoFocus={true} label="Run name" onChange={[Function]} required={true} value="" variant="outlined" /> <Input label="Description (optional)" multiline={true} onChange={[Function]} value="" variant="outlined" /> <div> This run will be associated with the following experiment </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="chooseExperimentBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Experiment" required={true} value="" variant="outlined" /> <div> This run will use the following Kubernetes service account. <HelpButton helpText={ <div> Note, the service account needs <ExternalLink href="https://github.com/argoproj/argo/blob/v2.3.0/docs/workflow-rbac.md" > minimum permissions required by argo workflows </ExternalLink> and extra permissions the specific task requires. </div> } /> </div> <Input label="Service Account (Optional)" onChange={[Function]} value="" variant="outlined" /> <div className="header" > Run Type </div> <WithStyles(WithFormControlContext(FormControlLabel)) checked={true} control={ <WithStyles(Radio) color="primary" /> } id="oneOffToggle" label="One-off" onChange={[Function]} /> <WithStyles(WithFormControlContext(FormControlLabel)) checked={false} control={ <WithStyles(Radio) color="primary" /> } id="recurringToggle" label="Recurring" onChange={[Function]} /> <NewRunParameters handleParamChange={[Function]} initialParams={Array []} titleMessage="Parameters will appear after you select a pipeline" /> <div className="flex" > <BusyButton busy={false} className="buttonAction" disabled={true} id="startNewRunBtn" onClick={[Function]} title="Start" /> <WithStyles(Button) id="exitNewRunPageBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <div className="" style={ Object { "color": "red", } } > A pipeline version must be selected </div> </div> </div> </div> `; exports[`NewRun fetches the associated pipeline if one is present in the query params 1`] = ` <div className="page" > <div className="scrollContainer" > <div className="header" > Run details </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline" required={true} value="original mock pipeline name" variant="outlined" /> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineVersionBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline Version" required={true} value="original mock pipeline version name" variant="outlined" /> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipelines found. Upload a pipeline and then try again." filterLabel="Filter pipelines" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?pipelineId=original-run-pipeline-id&pipelineVersionId=original-run-pipeline-version-id", } } match="" selectionChanged={[Function]} title="Choose a pipeline" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="usePipelineBtn" onClick={[Function]} > Use this pipeline </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineVersionSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 1, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipeline versions found. Select or upload a pipeline then try again." filterLabel="Filter pipeline versions" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?pipelineId=original-run-pipeline-id&pipelineVersionId=original-run-pipeline-version-id", } } match="" selectionChanged={[Function]} title="Choose a pipeline version" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineVersionSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="usePipelineVersionBtn" onClick={[Function]} > Use this pipeline version </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <UploadPipelineDialog onClose={[Function]} open={false} /> <WithStyles(Dialog) PaperProps={ Object { "id": "experimentSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Experiment name", "sortKey": "name", }, Object { "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Created at", "sortKey": "created_at", }, ] } emptyMessage="No experiments found. Create an experiment and then try again." filterLabel="Filter experiments" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?pipelineId=original-run-pipeline-id&pipelineVersionId=original-run-pipeline-version-id", } } match="" selectionChanged={[Function]} title="Choose an experiment" toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelExperimentSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="useExperimentBtn" onClick={[Function]} > Use this experiment </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <Input autoFocus={true} label="Run name" onChange={[Function]} required={true} value="Run of original mock pipeline version name (88888)" variant="outlined" /> <Input label="Description (optional)" multiline={true} onChange={[Function]} value="" variant="outlined" /> <div> This run will be associated with the following experiment </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="chooseExperimentBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Experiment" required={true} value="" variant="outlined" /> <div> This run will use the following Kubernetes service account. <HelpButton helpText={ <div> Note, the service account needs <ExternalLink href="https://github.com/argoproj/argo/blob/v2.3.0/docs/workflow-rbac.md" > minimum permissions required by argo workflows </ExternalLink> and extra permissions the specific task requires. </div> } /> </div> <Input label="Service Account (Optional)" onChange={[Function]} value="" variant="outlined" /> <div className="header" > Run Type </div> <WithStyles(WithFormControlContext(FormControlLabel)) checked={true} control={ <WithStyles(Radio) color="primary" /> } id="oneOffToggle" label="One-off" onChange={[Function]} /> <WithStyles(WithFormControlContext(FormControlLabel)) checked={false} control={ <WithStyles(Radio) color="primary" /> } id="recurringToggle" label="Recurring" onChange={[Function]} /> <NewRunParameters handleParamChange={[Function]} initialParams={Array []} titleMessage="This pipeline has no parameters" /> <div className="flex" > <BusyButton busy={false} className="buttonAction" disabled={false} id="startNewRunBtn" onClick={[Function]} title="Start" /> <WithStyles(Button) id="exitNewRunPageBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <div className="" style={ Object { "color": "red", } } /> </div> </div> </div> `; exports[`NewRun renders the new run page 1`] = ` <div className="page" > <div className="scrollContainer" > <div className="header" > Run details </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline" required={true} value="" variant="outlined" /> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineVersionBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline Version" required={true} value="" variant="outlined" /> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipelines found. Upload a pipeline and then try again." filterLabel="Filter pipelines" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id", } } match="" selectionChanged={[Function]} title="Choose a pipeline" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="usePipelineBtn" onClick={[Function]} > Use this pipeline </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineVersionSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 1, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipeline versions found. Select or upload a pipeline then try again." filterLabel="Filter pipeline versions" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id", } } match="" selectionChanged={[Function]} title="Choose a pipeline version" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineVersionSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="usePipelineVersionBtn" onClick={[Function]} > Use this pipeline version </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <UploadPipelineDialog onClose={[Function]} open={false} /> <WithStyles(Dialog) PaperProps={ Object { "id": "experimentSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Experiment name", "sortKey": "name", }, Object { "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Created at", "sortKey": "created_at", }, ] } emptyMessage="No experiments found. Create an experiment and then try again." filterLabel="Filter experiments" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id", } } match="" selectionChanged={[Function]} title="Choose an experiment" toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelExperimentSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="useExperimentBtn" onClick={[Function]} > Use this experiment </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <Input autoFocus={true} label="Run name" onChange={[Function]} required={true} value="" variant="outlined" /> <Input label="Description (optional)" multiline={true} onChange={[Function]} value="" variant="outlined" /> <div> This run will be associated with the following experiment </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="chooseExperimentBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Experiment" required={true} value="some mock experiment name" variant="outlined" /> <div> This run will use the following Kubernetes service account. <HelpButton helpText={ <div> Note, the service account needs <ExternalLink href="https://github.com/argoproj/argo/blob/v2.3.0/docs/workflow-rbac.md" > minimum permissions required by argo workflows </ExternalLink> and extra permissions the specific task requires. </div> } /> </div> <Input label="Service Account (Optional)" onChange={[Function]} value="" variant="outlined" /> <div className="header" > Run Type </div> <WithStyles(WithFormControlContext(FormControlLabel)) checked={true} control={ <WithStyles(Radio) color="primary" /> } id="oneOffToggle" label="One-off" onChange={[Function]} /> <WithStyles(WithFormControlContext(FormControlLabel)) checked={false} control={ <WithStyles(Radio) color="primary" /> } id="recurringToggle" label="Recurring" onChange={[Function]} /> <NewRunParameters handleParamChange={[Function]} initialParams={Array []} titleMessage="Parameters will appear after you select a pipeline" /> <div className="flex" > <BusyButton busy={false} className="buttonAction" disabled={true} id="startNewRunBtn" onClick={[Function]} title="Start" /> <WithStyles(Button) id="exitNewRunPageBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <div className="" style={ Object { "color": "red", } } > A pipeline version must be selected </div> </div> </div> </div> `; exports[`NewRun starting a new recurring run includes additional trigger input fields if run will be recurring 1`] = ` <div className="page" > <div className="scrollContainer" > <div className="header" > Run details </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline" required={true} value="" variant="outlined" /> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineVersionBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline Version" required={true} value="" variant="outlined" /> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipelines found. Upload a pipeline and then try again." filterLabel="Filter pipelines" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?recurring=1", } } match="" selectionChanged={[Function]} title="Choose a pipeline" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="usePipelineBtn" onClick={[Function]} > Use this pipeline </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineVersionSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 1, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipeline versions found. Select or upload a pipeline then try again." filterLabel="Filter pipeline versions" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?recurring=1", } } match="" selectionChanged={[Function]} title="Choose a pipeline version" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineVersionSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="usePipelineVersionBtn" onClick={[Function]} > Use this pipeline version </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <UploadPipelineDialog onClose={[Function]} open={false} /> <WithStyles(Dialog) PaperProps={ Object { "id": "experimentSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Experiment name", "sortKey": "name", }, Object { "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Created at", "sortKey": "created_at", }, ] } emptyMessage="No experiments found. Create an experiment and then try again." filterLabel="Filter experiments" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?recurring=1", } } match="" selectionChanged={[Function]} title="Choose an experiment" toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelExperimentSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="useExperimentBtn" onClick={[Function]} > Use this experiment </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <Input autoFocus={true} label="Recurring run config name" onChange={[Function]} required={true} value="" variant="outlined" /> <Input label="Description (optional)" multiline={true} onChange={[Function]} value="" variant="outlined" /> <div> This run will be associated with the following experiment </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="chooseExperimentBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Experiment" required={true} value="" variant="outlined" /> <div> This run will use the following Kubernetes service account. <HelpButton helpText={ <div> Note, the service account needs <ExternalLink href="https://github.com/argoproj/argo/blob/v2.3.0/docs/workflow-rbac.md" > minimum permissions required by argo workflows </ExternalLink> and extra permissions the specific task requires. </div> } /> </div> <Input label="Service Account (Optional)" onChange={[Function]} value="" variant="outlined" /> <div className="header" > Run Type </div> <WithStyles(WithFormControlContext(FormControlLabel)) checked={false} control={ <WithStyles(Radio) color="primary" /> } id="oneOffToggle" label="One-off" onChange={[Function]} /> <WithStyles(WithFormControlContext(FormControlLabel)) checked={true} control={ <WithStyles(Radio) color="primary" /> } id="recurringToggle" label="Recurring" onChange={[Function]} /> <div className="header" > Run trigger </div> <div> Choose a method by which new runs will be triggered </div> <Trigger onChange={[Function]} /> <NewRunParameters handleParamChange={[Function]} initialParams={Array []} titleMessage="Parameters will appear after you select a pipeline" /> <div className="flex" > <BusyButton busy={false} className="buttonAction" disabled={true} id="startNewRunBtn" onClick={[Function]} title="Start" /> <WithStyles(Button) id="exitNewRunPageBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <div className="" style={ Object { "color": "red", } } > A pipeline version must be selected </div> </div> </div> </div> `; exports[`NewRun starting a new run updates the pipeline params as user selects different pipelines 1`] = ` <div className="page" > <div className="scrollContainer" > <div className="header" > Run details </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline" required={true} value="" variant="outlined" /> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineVersionBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline Version" required={true} value="" variant="outlined" /> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipelines found. Upload a pipeline and then try again." filterLabel="Filter pipelines" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id", } } match="" selectionChanged={[Function]} title="Choose a pipeline" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="usePipelineBtn" onClick={[Function]} > Use this pipeline </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineVersionSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 1, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipeline versions found. Select or upload a pipeline then try again." filterLabel="Filter pipeline versions" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id", } } match="" selectionChanged={[Function]} title="Choose a pipeline version" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineVersionSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="usePipelineVersionBtn" onClick={[Function]} > Use this pipeline version </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <UploadPipelineDialog onClose={[Function]} open={false} /> <WithStyles(Dialog) PaperProps={ Object { "id": "experimentSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Experiment name", "sortKey": "name", }, Object { "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Created at", "sortKey": "created_at", }, ] } emptyMessage="No experiments found. Create an experiment and then try again." filterLabel="Filter experiments" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id", } } match="" selectionChanged={[Function]} title="Choose an experiment" toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelExperimentSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="useExperimentBtn" onClick={[Function]} > Use this experiment </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <Input autoFocus={true} label="Run name" onChange={[Function]} required={true} value="" variant="outlined" /> <Input label="Description (optional)" multiline={true} onChange={[Function]} value="" variant="outlined" /> <div> This run will be associated with the following experiment </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="chooseExperimentBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Experiment" required={true} value="some mock experiment name" variant="outlined" /> <div> This run will use the following Kubernetes service account. <HelpButton helpText={ <div> Note, the service account needs <ExternalLink href="https://github.com/argoproj/argo/blob/v2.3.0/docs/workflow-rbac.md" > minimum permissions required by argo workflows </ExternalLink> and extra permissions the specific task requires. </div> } /> </div> <Input label="Service Account (Optional)" onChange={[Function]} value="" variant="outlined" /> <div className="header" > Run Type </div> <WithStyles(WithFormControlContext(FormControlLabel)) checked={true} control={ <WithStyles(Radio) color="primary" /> } id="oneOffToggle" label="One-off" onChange={[Function]} /> <WithStyles(WithFormControlContext(FormControlLabel)) checked={false} control={ <WithStyles(Radio) color="primary" /> } id="recurringToggle" label="Recurring" onChange={[Function]} /> <NewRunParameters handleParamChange={[Function]} initialParams={Array []} titleMessage="Parameters will appear after you select a pipeline" /> <div className="flex" > <BusyButton busy={false} className="buttonAction" disabled={true} id="startNewRunBtn" onClick={[Function]} title="Start" /> <WithStyles(Button) id="exitNewRunPageBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <div className="" style={ Object { "color": "red", } } > A pipeline version must be selected </div> </div> </div> </div> `; exports[`NewRun starting a new run updates the pipeline params as user selects different pipelines 2`] = ` <div className="page" > <div className="scrollContainer" > <div className="header" > Run details </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline" required={true} value="original mock pipeline name" variant="outlined" /> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineVersionBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline Version" required={true} value="original mock pipeline version name" variant="outlined" /> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipelines found. Upload a pipeline and then try again." filterLabel="Filter pipelines" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id", } } match="" selectionChanged={[Function]} title="Choose a pipeline" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={false} id="usePipelineBtn" onClick={[Function]} > Use this pipeline </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineVersionSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 1, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipeline versions found. Select or upload a pipeline then try again." filterLabel="Filter pipeline versions" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id", } } match="" selectionChanged={[Function]} title="Choose a pipeline version" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineVersionSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={false} id="usePipelineVersionBtn" onClick={[Function]} > Use this pipeline version </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <UploadPipelineDialog onClose={[Function]} open={false} /> <WithStyles(Dialog) PaperProps={ Object { "id": "experimentSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Experiment name", "sortKey": "name", }, Object { "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Created at", "sortKey": "created_at", }, ] } emptyMessage="No experiments found. Create an experiment and then try again." filterLabel="Filter experiments" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id", } } match="" selectionChanged={[Function]} title="Choose an experiment" toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelExperimentSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="useExperimentBtn" onClick={[Function]} > Use this experiment </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <Input autoFocus={true} label="Run name" onChange={[Function]} required={true} value="" variant="outlined" /> <Input label="Description (optional)" multiline={true} onChange={[Function]} value="" variant="outlined" /> <div> This run will be associated with the following experiment </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="chooseExperimentBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Experiment" required={true} value="some mock experiment name" variant="outlined" /> <div> This run will use the following Kubernetes service account. <HelpButton helpText={ <div> Note, the service account needs <ExternalLink href="https://github.com/argoproj/argo/blob/v2.3.0/docs/workflow-rbac.md" > minimum permissions required by argo workflows </ExternalLink> and extra permissions the specific task requires. </div> } /> </div> <Input label="Service Account (Optional)" onChange={[Function]} value="" variant="outlined" /> <div className="header" > Run Type </div> <WithStyles(WithFormControlContext(FormControlLabel)) checked={true} control={ <WithStyles(Radio) color="primary" /> } id="oneOffToggle" label="One-off" onChange={[Function]} /> <WithStyles(WithFormControlContext(FormControlLabel)) checked={false} control={ <WithStyles(Radio) color="primary" /> } id="recurringToggle" label="Recurring" onChange={[Function]} /> <NewRunParameters handleParamChange={[Function]} initialParams={ Array [ Object { "name": "param-1", "value": "prefilled value 1", }, Object { "name": "param-2", "value": "prefilled value 2", }, ] } titleMessage="Specify parameters required by the pipeline" /> <div className="flex" > <BusyButton busy={false} className="buttonAction" disabled={true} id="startNewRunBtn" onClick={[Function]} title="Start" /> <WithStyles(Button) id="exitNewRunPageBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <div className="" style={ Object { "color": "red", } } > Run name is required </div> </div> </div> </div> `; exports[`NewRun starting a new run updates the pipeline params as user selects different pipelines 3`] = ` <div className="page" > <div className="scrollContainer" > <div className="header" > Run details </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline" required={true} value="original mock pipeline name" variant="outlined" /> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineVersionBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline Version" required={true} value="original mock pipeline version name" variant="outlined" /> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipelines found. Upload a pipeline and then try again." filterLabel="Filter pipelines" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id", } } match="" selectionChanged={[Function]} title="Choose a pipeline" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={false} id="usePipelineBtn" onClick={[Function]} > Use this pipeline </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineVersionSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 1, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipeline versions found. Select or upload a pipeline then try again." filterLabel="Filter pipeline versions" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id", } } match="" selectionChanged={[Function]} title="Choose a pipeline version" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineVersionSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={false} id="usePipelineVersionBtn" onClick={[Function]} > Use this pipeline version </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <UploadPipelineDialog onClose={[Function]} open={false} /> <WithStyles(Dialog) PaperProps={ Object { "id": "experimentSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Experiment name", "sortKey": "name", }, Object { "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Created at", "sortKey": "created_at", }, ] } emptyMessage="No experiments found. Create an experiment and then try again." filterLabel="Filter experiments" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id", } } match="" selectionChanged={[Function]} title="Choose an experiment" toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelExperimentSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="useExperimentBtn" onClick={[Function]} > Use this experiment </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <Input autoFocus={true} label="Run name" onChange={[Function]} required={true} value="" variant="outlined" /> <Input label="Description (optional)" multiline={true} onChange={[Function]} value="" variant="outlined" /> <div> This run will be associated with the following experiment </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="chooseExperimentBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Experiment" required={true} value="some mock experiment name" variant="outlined" /> <div> This run will use the following Kubernetes service account. <HelpButton helpText={ <div> Note, the service account needs <ExternalLink href="https://github.com/argoproj/argo/blob/v2.3.0/docs/workflow-rbac.md" > minimum permissions required by argo workflows </ExternalLink> and extra permissions the specific task requires. </div> } /> </div> <Input label="Service Account (Optional)" onChange={[Function]} value="" variant="outlined" /> <div className="header" > Run Type </div> <WithStyles(WithFormControlContext(FormControlLabel)) checked={true} control={ <WithStyles(Radio) color="primary" /> } id="oneOffToggle" label="One-off" onChange={[Function]} /> <WithStyles(WithFormControlContext(FormControlLabel)) checked={false} control={ <WithStyles(Radio) color="primary" /> } id="recurringToggle" label="Recurring" onChange={[Function]} /> <NewRunParameters handleParamChange={[Function]} initialParams={Array []} titleMessage="This pipeline has no parameters" /> <div className="flex" > <BusyButton busy={false} className="buttonAction" disabled={true} id="startNewRunBtn" onClick={[Function]} title="Start" /> <WithStyles(Button) id="exitNewRunPageBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <div className="" style={ Object { "color": "red", } } > Run name is required </div> </div> </div> </div> `; exports[`NewRun updates the run's state with the associated experiment if one is present in the query params 1`] = ` <div className="page" > <div className="scrollContainer" > <div className="header" > Run details </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline" required={true} value="" variant="outlined" /> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="choosePipelineVersionBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Pipeline Version" required={true} value="" variant="outlined" /> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipelines found. Upload a pipeline and then try again." filterLabel="Filter pipelines" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id", } } match="" selectionChanged={[Function]} title="Choose a pipeline" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="usePipelineBtn" onClick={[Function]} > Use this pipeline </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <WithStyles(Dialog) PaperProps={ Object { "id": "pipelineVersionSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 1, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipeline versions found. Select or upload a pipeline then try again." filterLabel="Filter pipeline versions" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id", } } match="" selectionChanged={[Function]} title="Choose a pipeline version" toolbarActionMap={ Object { "uploadPipeline": Object { "action": [Function], "icon": [Function], "id": "uploadBtn", "outlined": true, "style": Object { "minWidth": 160, }, "title": "Upload pipeline", "tooltip": "Upload pipeline", }, } } toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelPipelineVersionSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="usePipelineVersionBtn" onClick={[Function]} > Use this pipeline version </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <UploadPipelineDialog onClose={[Function]} open={false} /> <WithStyles(Dialog) PaperProps={ Object { "id": "experimentSelectorDialog", } } classes={ Object { "paper": "selectorDialog", } } onClose={[Function]} open={false} > <WithStyles(DialogContent)> <ResourceSelector columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Experiment name", "sortKey": "name", }, Object { "flex": 2, "label": "Description", }, Object { "flex": 1, "label": "Created at", "sortKey": "created_at", }, ] } emptyMessage="No experiments found. Create an experiment and then try again." filterLabel="Filter experiments" history={ Object { "push": [MockFunction], "replace": [MockFunction], } } initialSortColumn="created_at" listApi={[Function]} location={ Object { "pathname": "/runs/new", "search": "?experimentId=some-mock-experiment-id", } } match="" selectionChanged={[Function]} title="Choose an experiment" toolbarProps={ Object { "actions": Object {}, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Start a new run", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </WithStyles(DialogContent)> <WithStyles(DialogActions)> <WithStyles(Button) color="secondary" id="cancelExperimentSelectionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <WithStyles(Button) color="secondary" disabled={true} id="useExperimentBtn" onClick={[Function]} > Use this experiment </WithStyles(Button)> </WithStyles(DialogActions)> </WithStyles(Dialog)> <Input autoFocus={true} label="Run name" onChange={[Function]} required={true} value="" variant="outlined" /> <Input label="Description (optional)" multiline={true} onChange={[Function]} value="" variant="outlined" /> <div> This run will be associated with the following experiment </div> <Input InputProps={ Object { "classes": Object { "disabled": "nonEditableInput", }, "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" id="chooseExperimentBtn" onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", } } > Choose </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, } } disabled={true} label="Experiment" required={true} value="some mock experiment name" variant="outlined" /> <div> This run will use the following Kubernetes service account. <HelpButton helpText={ <div> Note, the service account needs <ExternalLink href="https://github.com/argoproj/argo/blob/v2.3.0/docs/workflow-rbac.md" > minimum permissions required by argo workflows </ExternalLink> and extra permissions the specific task requires. </div> } /> </div> <Input label="Service Account (Optional)" onChange={[Function]} value="" variant="outlined" /> <div className="header" > Run Type </div> <WithStyles(WithFormControlContext(FormControlLabel)) checked={true} control={ <WithStyles(Radio) color="primary" /> } id="oneOffToggle" label="One-off" onChange={[Function]} /> <WithStyles(WithFormControlContext(FormControlLabel)) checked={false} control={ <WithStyles(Radio) color="primary" /> } id="recurringToggle" label="Recurring" onChange={[Function]} /> <NewRunParameters handleParamChange={[Function]} initialParams={Array []} titleMessage="Parameters will appear after you select a pipeline" /> <div className="flex" > <BusyButton busy={false} className="buttonAction" disabled={true} id="startNewRunBtn" onClick={[Function]} title="Start" /> <WithStyles(Button) id="exitNewRunPageBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <div className="" style={ Object { "color": "red", } } > A pipeline version must be selected </div> </div> </div> </div> `;
7,837
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/PipelineList.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`PipelineList renders a list of one pipeline 1`] = ` <div className="page" > <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 3, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipelines found. Click \\"Upload pipeline\\" to start." filterLabel="Filter pipelines" getExpandComponent={[Function]} initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "expandState": undefined, "id": undefined, "otherFields": Array [ "pipeline1", "test pipeline description", "9/22/2018, 11:05:48 AM", ], }, ] } selectedIds={Array []} toggleExpansion={[Function]} updateSelection={[Function]} /> <UploadPipelineDialog onClose={[Function]} open={false} /> </div> `; exports[`PipelineList renders a list of one pipeline with error 1`] = ` <div className="page" > <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 3, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipelines found. Click \\"Upload pipeline\\" to start." filterLabel="Filter pipelines" getExpandComponent={[Function]} initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "expandState": undefined, "id": undefined, "otherFields": Array [ "pipeline1", "test pipeline description", "9/22/2018, 11:05:48 AM", ], }, ] } selectedIds={Array []} toggleExpansion={[Function]} updateSelection={[Function]} /> <UploadPipelineDialog onClose={[Function]} open={false} /> </div> `; exports[`PipelineList renders a list of one pipeline with no description or created date 1`] = ` <div className="page" > <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 3, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipelines found. Click \\"Upload pipeline\\" to start." filterLabel="Filter pipelines" getExpandComponent={[Function]} initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "expandState": undefined, "id": undefined, "otherFields": Array [ "pipeline1", undefined, "-", ], }, ] } selectedIds={Array []} toggleExpansion={[Function]} updateSelection={[Function]} /> <UploadPipelineDialog onClose={[Function]} open={false} /> </div> `; exports[`PipelineList renders an empty list with empty state message 1`] = ` <div className="page" > <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 1, "label": "Pipeline name", "sortKey": "name", }, Object { "customRenderer": [Function], "flex": 3, "label": "Description", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipelines found. Click \\"Upload pipeline\\" to start." filterLabel="Filter pipelines" getExpandComponent={[Function]} initialSortColumn="created_at" reload={[Function]} rows={Array []} selectedIds={Array []} toggleExpansion={[Function]} updateSelection={[Function]} /> <UploadPipelineDialog onClose={[Function]} open={false} /> </div> `;
7,838
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/ArchivedExperimentsAndRuns.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`ArchivedExperimentsAndRuns renders archived experiments page 1`] = ` <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={1} tabs={ Array [ "Runs", "Experiments", ] } /> <EnhancedArchivedExperiments history={Object {}} location="" match="" toolbarProps={Object {}} updateBanner={[Function]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[Function]} view={1} /> </div> `; exports[`ArchivedExperimentsAndRuns renders archived runs page 1`] = ` <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Runs", "Experiments", ] } /> <EnhancedArchivedRuns history={Object {}} location="" match="" toolbarProps={Object {}} updateBanner={[Function]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[Function]} view={0} /> </div> `;
7,839
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/PipelineDetails.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`PipelineDetails closes side panel when close button is clicked 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "YAML", ] } /> <div className="page" > <div className="page" > <div className="page" style={ Object { "overflow": "hidden", "position": "relative", } } > <WithStyles(Paper) className="summaryCard" > <div style={ Object { "alignItems": "baseline", "display": "flex", "justifyContent": "space-between", } } > <div className="header" > Summary </div> <WithStyles(Button) color="secondary" onClick={[Function]} > Hide </WithStyles(Button)> </div> <div className="summaryKey" > ID </div> <div> test-pipeline-id </div> <form autoComplete="off" > <WithStyles(FormControl)> <WithStyles(WithFormControlContext(InputLabel))> Version </WithStyles(WithFormControlContext(InputLabel))> <WithStyles(WithFormControlContext(Select)) inputProps={ Object { "id": "version-selector", "name": "selectedVersion", } } onChange={[Function]} value="test-pipeline-version-id" > <WithStyles(MenuItem) key="test-pipeline-version-id" value="test-pipeline-version-id" > test-pipeline-version </WithStyles(MenuItem)> </WithStyles(WithFormControlContext(Select))> </WithStyles(FormControl)> </form> <div className="summaryKey" > <a rel="noopener noreferrer" target="_blank" > Version source </a> </div> <div className="summaryKey" > Uploaded on </div> <div> 9/5/2018, 4:03:02 AM </div> <div className="summaryKey" > Description </div> <Description description="test pipeline description" /> </WithStyles(Paper)> <EnhancedGraph graph={ Graph { "_defaultEdgeLabelFn": [Function], "_defaultNodeLabelFn": [Function], "_edgeLabels": Object {}, "_edgeObjs": Object {}, "_in": Object {}, "_isCompound": false, "_isDirected": true, "_isMultigraph": false, "_label": undefined, "_nodes": Object {}, "_out": Object {}, "_preds": Object {}, "_sucs": Object {}, } } onClick={[Function]} onError={[Function]} selectedNodeId="" /> <SidePanel isOpen={false} onClose={[Function]} title="" > <div className="page" > <div className="absoluteCenter" > Unable to retrieve node info </div> </div> </SidePanel> <div className="footer" > <div className="flex footerInfoOffset" > <pure(InfoOutlinedIcon) className="infoIcon" /> <span className="infoSpan" > Static pipeline graph </span> </div> </div> </div> </div> </div> </div> </div> `; exports[`PipelineDetails collapses summary card when summary shown state is false 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "YAML", ] } /> <div className="page" > <div className="page" > <div className="page" style={ Object { "overflow": "hidden", "position": "relative", } } > <EnhancedGraph graph={ Graph { "_defaultEdgeLabelFn": [Function], "_defaultNodeLabelFn": [Function], "_edgeLabels": Object {}, "_edgeObjs": Object {}, "_in": Object {}, "_isCompound": false, "_isDirected": true, "_isMultigraph": false, "_label": undefined, "_nodes": Object {}, "_out": Object {}, "_preds": Object {}, "_sucs": Object {}, } } onClick={[Function]} onError={[Function]} selectedNodeId="" /> <SidePanel isOpen={false} onClose={[Function]} title="" > <div className="page" > <div className="absoluteCenter" > Unable to retrieve node info </div> </div> </SidePanel> <div className="footer" > <WithStyles(Button) color="secondary" onClick={[Function]} > Show summary </WithStyles(Button)> <div className="flex" > <pure(InfoOutlinedIcon) className="infoIcon" /> <span className="infoSpan" > Static pipeline graph </span> </div> </div> </div> </div> </div> </div> </div> `; exports[`PipelineDetails opens side panel on clicked node, shows message when node is not found in graph 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "YAML", ] } /> <div className="page" > <div className="page" > <div className="page" style={ Object { "overflow": "hidden", "position": "relative", } } > <WithStyles(Paper) className="summaryCard" > <div style={ Object { "alignItems": "baseline", "display": "flex", "justifyContent": "space-between", } } > <div className="header" > Summary </div> <WithStyles(Button) color="secondary" onClick={[Function]} > Hide </WithStyles(Button)> </div> <div className="summaryKey" > ID </div> <div> test-pipeline-id </div> <form autoComplete="off" > <WithStyles(FormControl)> <WithStyles(WithFormControlContext(InputLabel))> Version </WithStyles(WithFormControlContext(InputLabel))> <WithStyles(WithFormControlContext(Select)) inputProps={ Object { "id": "version-selector", "name": "selectedVersion", } } onChange={[Function]} value="test-pipeline-version-id" > <WithStyles(MenuItem) key="test-pipeline-version-id" value="test-pipeline-version-id" > test-pipeline-version </WithStyles(MenuItem)> </WithStyles(WithFormControlContext(Select))> </WithStyles(FormControl)> </form> <div className="summaryKey" > <a rel="noopener noreferrer" target="_blank" > Version source </a> </div> <div className="summaryKey" > Uploaded on </div> <div> 9/5/2018, 4:03:02 AM </div> <div className="summaryKey" > Description </div> <Description description="test pipeline description" /> </WithStyles(Paper)> <EnhancedGraph graph={ Graph { "_defaultEdgeLabelFn": [Function], "_defaultNodeLabelFn": [Function], "_edgeLabels": Object {}, "_edgeObjs": Object {}, "_in": Object {}, "_isCompound": false, "_isDirected": true, "_isMultigraph": false, "_label": undefined, "_nodes": Object {}, "_out": Object {}, "_preds": Object {}, "_sucs": Object {}, } } onClick={[Function]} onError={[Function]} selectedNodeId="some-node-id" /> <SidePanel isOpen={true} onClose={[Function]} title="some-node-id" > <div className="page" > <div className="absoluteCenter" > Unable to retrieve node info </div> </div> </SidePanel> <div className="footer" > <div className="flex footerInfoOffset" > <pure(InfoOutlinedIcon) className="infoIcon" /> <span className="infoSpan" > Static pipeline graph </span> </div> </div> </div> </div> </div> </div> </div> `; exports[`PipelineDetails shows clicked node info in the side panel if it is in the graph 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "YAML", ] } /> <div className="page" > <div className="page" > <div className="page" style={ Object { "overflow": "hidden", "position": "relative", } } > <WithStyles(Paper) className="summaryCard" > <div style={ Object { "alignItems": "baseline", "display": "flex", "justifyContent": "space-between", } } > <div className="header" > Summary </div> <WithStyles(Button) color="secondary" onClick={[Function]} > Hide </WithStyles(Button)> </div> <div className="summaryKey" > ID </div> <div> test-pipeline-id </div> <form autoComplete="off" > <WithStyles(FormControl)> <WithStyles(WithFormControlContext(InputLabel))> Version </WithStyles(WithFormControlContext(InputLabel))> <WithStyles(WithFormControlContext(Select)) inputProps={ Object { "id": "version-selector", "name": "selectedVersion", } } onChange={[Function]} value="test-pipeline-version-id" > <WithStyles(MenuItem) key="test-pipeline-version-id" value="test-pipeline-version-id" > test-pipeline-version </WithStyles(MenuItem)> </WithStyles(WithFormControlContext(Select))> </WithStyles(FormControl)> </form> <div className="summaryKey" > <a rel="noopener noreferrer" target="_blank" > Version source </a> </div> <div className="summaryKey" > Uploaded on </div> <div> 9/5/2018, 4:03:02 AM </div> <div className="summaryKey" > Description </div> <Description description="test pipeline description" /> </WithStyles(Paper)> <EnhancedGraph graph={ Graph { "_defaultEdgeLabelFn": [Function], "_defaultNodeLabelFn": [Function], "_edgeLabels": Object {}, "_edgeObjs": Object {}, "_in": Object { "node1": Object {}, }, "_isCompound": false, "_isDirected": true, "_isMultigraph": false, "_label": undefined, "_nodeCount": 1, "_nodes": Object { "node1": Object { "info": SelectedNodeInfo { "args": Array [ "test arg", "test arg2", ], "command": Array [ "test command", "test command 2", ], "condition": "test condition", "image": "test image", "inputs": Array [ Array [ "key1", "val1", ], Array [ "key2", "val2", ], ], "nodeType": "container", "outputs": Array [ Array [ "key3", "val3", ], Array [ "key4", "val4", ], ], "resource": Array [ Array [], ], "volumeMounts": Array [ Array [], ], }, "label": "node1", }, }, "_out": Object { "node1": Object {}, }, "_preds": Object { "node1": Object {}, }, "_sucs": Object { "node1": Object {}, }, } } onClick={[Function]} onError={[Function]} selectedNodeId="node1" /> <SidePanel isOpen={true} onClose={[Function]} title="node1" > <div className="page" > <div className="" > <StaticNodeDetails nodeInfo={ SelectedNodeInfo { "args": Array [ "test arg", "test arg2", ], "command": Array [ "test command", "test command 2", ], "condition": "test condition", "image": "test image", "inputs": Array [ Array [ "key1", "val1", ], Array [ "key2", "val2", ], ], "nodeType": "container", "outputs": Array [ Array [ "key3", "val3", ], Array [ "key4", "val4", ], ], "resource": Array [ Array [], ], "volumeMounts": Array [ Array [], ], } } /> </div> </div> </SidePanel> <div className="footer" > <div className="flex footerInfoOffset" > <pure(InfoOutlinedIcon) className="infoIcon" /> <span className="infoSpan" > Static pipeline graph </span> </div> </div> </div> </div> </div> </div> </div> `; exports[`PipelineDetails shows correct versions in version selector 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "YAML", ] } /> <div className="page" > <div className="page" > <div className="page" style={ Object { "overflow": "hidden", "position": "relative", } } > <WithStyles(Paper) className="summaryCard" > <div style={ Object { "alignItems": "baseline", "display": "flex", "justifyContent": "space-between", } } > <div className="header" > Summary </div> <WithStyles(Button) color="secondary" onClick={[Function]} > Hide </WithStyles(Button)> </div> <div className="summaryKey" > ID </div> <div> test-pipeline-id </div> <form autoComplete="off" > <WithStyles(FormControl)> <WithStyles(WithFormControlContext(InputLabel))> Version </WithStyles(WithFormControlContext(InputLabel))> <WithStyles(WithFormControlContext(Select)) inputProps={ Object { "id": "version-selector", "name": "selectedVersion", } } onChange={[Function]} value="test-pipeline-version-id" > <WithStyles(MenuItem) key="test-pipeline-version-id" value="test-pipeline-version-id" > test-pipeline-version </WithStyles(MenuItem)> </WithStyles(WithFormControlContext(Select))> </WithStyles(FormControl)> </form> <div className="summaryKey" > <a rel="noopener noreferrer" target="_blank" > Version source </a> </div> <div className="summaryKey" > Uploaded on </div> <div> 9/5/2018, 4:03:02 AM </div> <div className="summaryKey" > Description </div> <Description description="test pipeline description" /> </WithStyles(Paper)> <EnhancedGraph graph={ Graph { "_defaultEdgeLabelFn": [Function], "_defaultNodeLabelFn": [Function], "_edgeLabels": Object {}, "_edgeObjs": Object {}, "_in": Object {}, "_isCompound": false, "_isDirected": true, "_isMultigraph": false, "_label": undefined, "_nodes": Object {}, "_out": Object {}, "_preds": Object {}, "_sucs": Object {}, } } onClick={[Function]} onError={[Function]} selectedNodeId="" /> <SidePanel isOpen={false} onClose={[Function]} title="" > <div className="page" > <div className="absoluteCenter" > Unable to retrieve node info </div> </div> </SidePanel> <div className="footer" > <div className="flex footerInfoOffset" > <pure(InfoOutlinedIcon) className="infoIcon" /> <span className="infoSpan" > Static pipeline graph </span> </div> </div> </div> </div> </div> </div> </div> `; exports[`PipelineDetails shows empty pipeline details with empty graph 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "YAML", ] } /> <div className="page" > <div className="page" > <div className="page" style={ Object { "overflow": "hidden", "position": "relative", } } > <WithStyles(Paper) className="summaryCard" > <div style={ Object { "alignItems": "baseline", "display": "flex", "justifyContent": "space-between", } } > <div className="header" > Summary </div> <WithStyles(Button) color="secondary" onClick={[Function]} > Hide </WithStyles(Button)> </div> <div className="summaryKey" > ID </div> <div> test-pipeline-id </div> <form autoComplete="off" > <WithStyles(FormControl)> <WithStyles(WithFormControlContext(InputLabel))> Version </WithStyles(WithFormControlContext(InputLabel))> <WithStyles(WithFormControlContext(Select)) inputProps={ Object { "id": "version-selector", "name": "selectedVersion", } } onChange={[Function]} value="test-pipeline-version-id" > <WithStyles(MenuItem) key="test-pipeline-version-id" value="test-pipeline-version-id" > test-pipeline-version </WithStyles(MenuItem)> </WithStyles(WithFormControlContext(Select))> </WithStyles(FormControl)> </form> <div className="summaryKey" > <a rel="noopener noreferrer" target="_blank" > Version source </a> </div> <div className="summaryKey" > Uploaded on </div> <div> 9/5/2018, 4:03:02 AM </div> <div className="summaryKey" > Description </div> <Description description="test pipeline description" /> </WithStyles(Paper)> <EnhancedGraph graph={ Graph { "_defaultEdgeLabelFn": [Function], "_defaultNodeLabelFn": [Function], "_edgeLabels": Object {}, "_edgeObjs": Object {}, "_in": Object {}, "_isCompound": false, "_isDirected": true, "_isMultigraph": false, "_label": undefined, "_nodes": Object {}, "_out": Object {}, "_preds": Object {}, "_sucs": Object {}, } } onClick={[Function]} onError={[Function]} selectedNodeId="" /> <SidePanel isOpen={false} onClose={[Function]} title="" > <div className="page" > <div className="absoluteCenter" > Unable to retrieve node info </div> </div> </SidePanel> <div className="footer" > <div className="flex footerInfoOffset" > <pure(InfoOutlinedIcon) className="infoIcon" /> <span className="infoSpan" > Static pipeline graph </span> </div> </div> </div> </div> </div> </div> </div> `; exports[`PipelineDetails shows empty pipeline details with no graph 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={0} tabs={ Array [ "Graph", "YAML", ] } /> <div className="page" > <div className="page" > <span style={ Object { "margin": "40px auto", } } > No graph to show </span> </div> </div> </div> </div> `; exports[`PipelineDetails shows pipeline source code when config tab is clicked 1`] = ` <div className="page" > <div className="page" > <MD2Tabs onSwitch={[Function]} selectedTab={1} tabs={ Array [ "Graph", "YAML", ] } /> <div className="page" > <div className="containerCss" > <Editor cursorStart={1} editorProps={ Object { "$blockScrolling": true, } } enableBasicAutocompletion={false} enableLiveAutocompletion={false} enableSnippets={false} focus={false} fontSize={12} height="100%" highlightActiveLine={true} maxLines={null} minLines={null} mode="yaml" name="brace-editor" navigateToFileEnd={true} onChange={null} onLoad={null} onPaste={null} onScroll={null} placeholder={null} readOnly={true} scrollMargin={ Array [ 0, 0, 0, 0, ] } setOptions={Object {}} showGutter={true} showPrintMargin={true} style={Object {}} tabSize={4} theme="github" value="test template" width="100%" wrapEnabled={false} /> </div> </div> </div> </div> `;
7,840
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/ArchivedExperiments.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`ArchivedExperiemnts renders archived experiments 1`] = ` <div className="page" > <ExperimentList history={ Object { "push": [MockFunction], } } location={Object {}} match={Object {}} onError={[Function]} storageState="STORAGESTATE_ARCHIVED" toolbarProps={ Object { "actions": Object { "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [], "pageTitle": "Archive", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </div> `;
7,841
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/NewExperiment.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`NewExperiment enables the 'Next' button when an experiment name is entered 1`] = ` <div className="page" > <div className="scrollContainer" > <div className="header" > Experiment details </div> <div className="explanation" > Think of an Experiment as a space that contains the history of all pipelines and their associated runs </div> <Input autoFocus={true} id="experimentName" inputRef={ Object { "current": null, } } label="Experiment name" onChange={[Function]} required={true} value="experiment name" variant="outlined" /> <Input id="experimentDescription" label="Description (optional)" multiline={true} onChange={[Function]} value="" variant="outlined" /> <div className="flex" > <BusyButton busy={false} className="buttonAction" disabled={false} id="createExperimentBtn" onClick={[Function]} title="Next" /> <WithStyles(Button) id="cancelNewExperimentBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <div className="errorMessage" /> </div> </div> </div> `; exports[`NewExperiment re-disables the 'Next' button when an experiment name is cleared after having been entered 1`] = ` <div className="page" > <div className="scrollContainer" > <div className="header" > Experiment details </div> <div className="explanation" > Think of an Experiment as a space that contains the history of all pipelines and their associated runs </div> <Input autoFocus={true} id="experimentName" inputRef={ Object { "current": null, } } label="Experiment name" onChange={[Function]} required={true} value="" variant="outlined" /> <Input id="experimentDescription" label="Description (optional)" multiline={true} onChange={[Function]} value="" variant="outlined" /> <div className="flex" > <BusyButton busy={false} className="buttonAction" disabled={true} id="createExperimentBtn" onClick={[Function]} title="Next" /> <WithStyles(Button) id="cancelNewExperimentBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <div className="errorMessage" > Experiment name is required </div> </div> </div> </div> `; exports[`NewExperiment renders the new experiment page 1`] = ` <div className="page" > <div className="scrollContainer" > <div className="header" > Experiment details </div> <div className="explanation" > Think of an Experiment as a space that contains the history of all pipelines and their associated runs </div> <Input autoFocus={true} id="experimentName" inputRef={ Object { "current": null, } } label="Experiment name" onChange={[Function]} required={true} value="" variant="outlined" /> <Input id="experimentDescription" label="Description (optional)" multiline={true} onChange={[Function]} value="" variant="outlined" /> <div className="flex" > <BusyButton busy={false} className="buttonAction" disabled={true} id="createExperimentBtn" onClick={[Function]} title="Next" /> <WithStyles(Button) id="cancelNewExperimentBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <div className="errorMessage" > Experiment name is required </div> </div> </div> </div> `;
7,842
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/Compare.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`Compare collapses all sections 1`] = ` <div className="page" > <CollapseButton collapseSections={ Object { "Metrics": true, "Parameters": true, "Run overview": true, "Table": true, "Tensorboard": true, } } compareSetState={[Function]} sectionName="Run overview" /> <Separator orientation="vertical" /> <CollapseButton collapseSections={ Object { "Metrics": true, "Parameters": true, "Run overview": true, "Table": true, "Tensorboard": true, } } compareSetState={[Function]} sectionName="Parameters" /> <CollapseButton collapseSections={ Object { "Metrics": true, "Parameters": true, "Run overview": true, "Table": true, "Tensorboard": true, } } compareSetState={[Function]} sectionName="Metrics" /> <Separator orientation="vertical" /> <div key="0" > <CollapseButton collapseSections={ Object { "Metrics": true, "Parameters": true, "Run overview": true, "Table": true, "Tensorboard": true, } } compareSetState={[Function]} sectionName="Tensorboard" /> <Separator orientation="vertical" /> </div> <div key="1" > <CollapseButton collapseSections={ Object { "Metrics": true, "Parameters": true, "Run overview": true, "Table": true, "Tensorboard": true, } } compareSetState={[Function]} sectionName="Table" /> <Separator orientation="vertical" /> </div> </div> `; exports[`Compare creates a map of viewers 1`] = ` <div className="page" > <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Run overview" /> <div className="noShrink" > <RunList disablePaging={true} history={ Object { "push": [MockFunction], } } location={ Object { "pathname": "/compare", "search": "?runlist=run-with-workflow", } } match={Object {}} onError={[Function]} onSelectionChange={[Function]} runIdListMask={ Array [ "run-with-workflow", ] } selectedIds={ Array [ "run-with-workflow", ] } toolbarProps={ Object { "actions": Object { "collapse": Object { "action": [Function], "icon": [Function], "id": "collapseBtn", "title": "Collapse all", "tooltip": "Collapse all sections", }, "expand": Object { "action": [Function], "icon": [Function], "id": "expandBtn", "title": "Expand all", "tooltip": "Expand all sections", }, "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Compare runs", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </div> <Separator orientation="vertical" /> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Parameters" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={Array []} xLabels={ Array [ "test run run-with-workflow", ] } yLabels={Array []} /> <Hr /> </div> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Metrics" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={Array []} xLabels={ Array [ "test run run-with-workflow", ] } yLabels={Array []} /> <Hr /> </div> <Separator orientation="vertical" /> <div key="0" > <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Tensorboard" /> <div className="flex outputsRow" > <PlotCard configs={ Array [ Object { "type": "tensorboard", "url": "gs://path", }, ] } key="0" maxDimension={400} title="test run run-with-workflow" /> <Separator /> </div> <Hr /> <Separator orientation="vertical" /> </div> <div key="1" > <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Table" /> <div className="flex outputsRow" > <PlotCard configs={ Array [ Object { "data": Array [ Array [ "test", ], ], "labels": Array [ "col1, col2", ], "type": "table", }, ] } key="0" maxDimension={400} title="test run run-with-workflow" /> <Separator /> </div> <Hr /> <Separator orientation="vertical" /> </div> </div> `; exports[`Compare creates an extra aggregation plot for compatible viewers 1`] = ` <div className="page" > <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Run overview" /> <div className="noShrink" > <RunList disablePaging={true} history={ Object { "push": [MockFunction], } } location={ Object { "pathname": "/compare", "search": "?runlist=run1-id,run2-id", } } match={Object {}} onError={[Function]} onSelectionChange={[Function]} runIdListMask={ Array [ "run1-id", "run2-id", ] } selectedIds={ Array [ "run1-id", "run2-id", ] } toolbarProps={ Object { "actions": Object { "collapse": Object { "action": [Function], "icon": [Function], "id": "collapseBtn", "title": "Collapse all", "tooltip": "Collapse all sections", }, "expand": Object { "action": [Function], "icon": [Function], "id": "expandBtn", "title": "Expand all", "tooltip": "Expand all sections", }, "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Compare runs", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </div> <Separator orientation="vertical" /> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Parameters" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={Array []} xLabels={ Array [ "test run run1-id", "test run run2-id", ] } yLabels={Array []} /> <Hr /> </div> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Metrics" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={Array []} xLabels={ Array [ "test run run1-id", "test run run2-id", ] } yLabels={Array []} /> <Hr /> </div> <Separator orientation="vertical" /> <div key="0" > <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Tensorboard" /> <div className="flex outputsRow" > <PlotCard configs={ Array [ Object { "type": "tensorboard", "url": "gs://path", }, Object { "type": "tensorboard", "url": "gs://path", }, ] } maxDimension={400} title="Aggregated view" /> <PlotCard configs={ Array [ Object { "type": "tensorboard", "url": "gs://path", }, ] } key="0" maxDimension={400} title="test run run1-id" /> <PlotCard configs={ Array [ Object { "type": "tensorboard", "url": "gs://path", }, ] } key="1" maxDimension={400} title="test run run2-id" /> <Separator /> </div> <Hr /> <Separator orientation="vertical" /> </div> <div key="1" > <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="ROC Curve" /> <div className="flex outputsRow" > <PlotCard configs={ Array [ Object { "data": Array [], "type": "roc", }, Object { "data": Array [], "type": "roc", }, ] } maxDimension={400} title="Aggregated view" /> <PlotCard configs={ Array [ Object { "data": Array [], "type": "roc", }, ] } key="0" maxDimension={400} title="test run run1-id" /> <PlotCard configs={ Array [ Object { "data": Array [], "type": "roc", }, ] } key="1" maxDimension={400} title="test run run2-id" /> <Separator /> </div> <Hr /> <Separator orientation="vertical" /> </div> </div> `; exports[`Compare displays a run's metrics if the run has any 1`] = ` <div className="page" > <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Run overview" /> <div className="noShrink" > <RunList disablePaging={true} history={ Object { "push": [MockFunction], } } location={ Object { "pathname": "/compare", "search": "?runlist=run-with-metrics", } } match={Object {}} onError={[Function]} onSelectionChange={[Function]} runIdListMask={ Array [ "run-with-metrics", ] } selectedIds={ Array [ "run-with-metrics", ] } toolbarProps={ Object { "actions": Object { "collapse": Object { "action": [Function], "icon": [Function], "id": "collapseBtn", "title": "Collapse all", "tooltip": "Collapse all sections", }, "expand": Object { "action": [Function], "icon": [Function], "id": "expandBtn", "title": "Expand all", "tooltip": "Expand all sections", }, "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Compare runs", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </div> <Separator orientation="vertical" /> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Parameters" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={Array []} xLabels={ Array [ "test run run-with-metrics", ] } yLabels={Array []} /> <Hr /> </div> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Metrics" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={ Array [ Array [ "0.330", ], Array [ "0.554", ], ] } xLabels={ Array [ "test run run-with-metrics", ] } yLabels={ Array [ "some-metric", "another-metric", ] } /> <Hr /> </div> <Separator orientation="vertical" /> </div> `; exports[`Compare displays metrics from multiple runs 1`] = ` <div className="page" > <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Run overview" /> <div className="noShrink" > <RunList disablePaging={true} history={ Object { "push": [MockFunction], } } location={ Object { "pathname": "/compare", "search": "?runlist=run1,run2", } } match={Object {}} onError={[Function]} onSelectionChange={[Function]} runIdListMask={ Array [ "run1", "run2", ] } selectedIds={ Array [ "run1", "run2", ] } toolbarProps={ Object { "actions": Object { "collapse": Object { "action": [Function], "icon": [Function], "id": "collapseBtn", "title": "Collapse all", "tooltip": "Collapse all sections", }, "expand": Object { "action": [Function], "icon": [Function], "id": "expandBtn", "title": "Expand all", "tooltip": "Expand all sections", }, "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Compare runs", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </div> <Separator orientation="vertical" /> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Parameters" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={Array []} xLabels={ Array [ "test run run1", "test run run2", ] } yLabels={Array []} /> <Hr /> </div> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Metrics" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={ Array [ Array [ "0.330", "0.670", ], Array [ "0.554", "", ], ] } xLabels={ Array [ "test run run1", "test run run2", ] } yLabels={ Array [ "some-metric", "another-metric", ] } /> <Hr /> </div> <Separator orientation="vertical" /> </div> `; exports[`Compare displays parameters from multiple runs 1`] = ` <div className="page" > <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Run overview" /> <div className="noShrink" > <RunList disablePaging={true} history={ Object { "push": [MockFunction], } } location={ Object { "pathname": "/compare", "search": "?runlist=run1,run2", } } match={Object {}} onError={[Function]} onSelectionChange={[Function]} runIdListMask={ Array [ "run1", "run2", ] } selectedIds={ Array [ "run1", "run2", ] } toolbarProps={ Object { "actions": Object { "collapse": Object { "action": [Function], "icon": [Function], "id": "collapseBtn", "title": "Collapse all", "tooltip": "Collapse all sections", }, "expand": Object { "action": [Function], "icon": [Function], "id": "expandBtn", "title": "Expand all", "tooltip": "Expand all sections", }, "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Compare runs", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </div> <Separator orientation="vertical" /> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Parameters" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={ Array [ Array [ "r1-shared-val2", "r2-shared-val2", ], Array [ "r1-unique-val1", "", ], Array [ "", "r2-unique-val1", ], ] } xLabels={ Array [ "test run run1", "test run run2", ] } yLabels={ Array [ "shared-param", "r1-unique-param", "r2-unique-param1", ] } /> <Hr /> </div> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Metrics" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={Array []} xLabels={ Array [ "test run run1", "test run run2", ] } yLabels={Array []} /> <Hr /> </div> <Separator orientation="vertical" /> </div> `; exports[`Compare displays run's parameters if the run has any 1`] = ` <div className="page" > <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Run overview" /> <div className="noShrink" > <RunList disablePaging={true} history={ Object { "push": [MockFunction], } } location={ Object { "pathname": "/compare", "search": "?runlist=run-with-parameters", } } match={Object {}} onError={[Function]} onSelectionChange={[Function]} runIdListMask={ Array [ "run-with-parameters", ] } selectedIds={ Array [ "run-with-parameters", ] } toolbarProps={ Object { "actions": Object { "collapse": Object { "action": [Function], "icon": [Function], "id": "collapseBtn", "title": "Collapse all", "tooltip": "Collapse all sections", }, "expand": Object { "action": [Function], "icon": [Function], "id": "expandBtn", "title": "Expand all", "tooltip": "Expand all sections", }, "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Compare runs", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </div> <Separator orientation="vertical" /> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Parameters" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={ Array [ Array [ "value1", ], Array [ "value2", ], ] } xLabels={ Array [ "test run run-with-parameters", ] } yLabels={ Array [ "param1", "param2", ] } /> <Hr /> </div> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Metrics" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={Array []} xLabels={ Array [ "test run run-with-parameters", ] } yLabels={Array []} /> <Hr /> </div> <Separator orientation="vertical" /> </div> `; exports[`Compare does not show viewers for deselected runs 1`] = ` <div className="page" > <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Run overview" /> <div className="noShrink" > <RunList disablePaging={true} history={ Object { "push": [MockFunction], } } location={ Object { "pathname": "/compare", "search": "?runlist=run-with-workflow-1,run-with-workflow-2", } } match={Object {}} onError={[Function]} onSelectionChange={[Function]} runIdListMask={ Array [ "run-with-workflow-1", "run-with-workflow-2", ] } selectedIds={Array []} toolbarProps={ Object { "actions": Object { "collapse": Object { "action": [Function], "icon": [Function], "id": "collapseBtn", "title": "Collapse all", "tooltip": "Collapse all sections", }, "expand": Object { "action": [Function], "icon": [Function], "id": "expandBtn", "title": "Expand all", "tooltip": "Expand all sections", }, "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Compare runs", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </div> <Separator orientation="vertical" /> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Parameters" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={Array []} xLabels={Array []} yLabels={Array []} /> <Hr /> </div> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Metrics" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={Array []} xLabels={Array []} yLabels={Array []} /> <Hr /> </div> <Separator orientation="vertical" /> </div> `; exports[`Compare expands all sections if they were collapsed 1`] = ` <div className="page" > <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Run overview" /> <div className="noShrink" > <RunList disablePaging={true} history={ Object { "push": [MockFunction], } } location={ Object { "pathname": "/compare", "search": "?runlist=run-with-workflow-1,run-with-workflow-2", } } match={Object {}} onError={[Function]} onSelectionChange={[Function]} runIdListMask={ Array [ "run-with-workflow-1", "run-with-workflow-2", ] } selectedIds={ Array [ "run-with-workflow-1", "run-with-workflow-2", ] } toolbarProps={ Object { "actions": Object { "collapse": Object { "action": [Function], "icon": [Function], "id": "collapseBtn", "title": "Collapse all", "tooltip": "Collapse all sections", }, "expand": Object { "action": [Function], "icon": [Function], "id": "expandBtn", "title": "Expand all", "tooltip": "Expand all sections", }, "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Compare runs", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </div> <Separator orientation="vertical" /> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Parameters" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={Array []} xLabels={ Array [ "test run run-with-workflow-1", "test run run-with-workflow-2", ] } yLabels={Array []} /> <Hr /> </div> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Metrics" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={Array []} xLabels={ Array [ "test run run-with-workflow-1", "test run run-with-workflow-2", ] } yLabels={Array []} /> <Hr /> </div> <Separator orientation="vertical" /> <div key="0" > <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Tensorboard" /> <div className="flex outputsRow" > <PlotCard configs={ Array [ Object { "type": "tensorboard", "url": "gs://path", }, Object { "type": "tensorboard", "url": "gs://path", }, ] } maxDimension={400} title="Aggregated view" /> <PlotCard configs={ Array [ Object { "type": "tensorboard", "url": "gs://path", }, ] } key="0" maxDimension={400} title="test run run-with-workflow-1" /> <PlotCard configs={ Array [ Object { "type": "tensorboard", "url": "gs://path", }, ] } key="1" maxDimension={400} title="test run run-with-workflow-2" /> <Separator /> </div> <Hr /> <Separator orientation="vertical" /> </div> <div key="1" > <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Table" /> <div className="flex outputsRow" > <PlotCard configs={ Array [ Object { "data": Array [ Array [], ], "labels": Array [ "col1, col2", ], "type": "table", }, ] } key="0" maxDimension={400} title="test run run-with-workflow-1" /> <PlotCard configs={ Array [ Object { "data": Array [ Array [], ], "labels": Array [ "col1, col2", ], "type": "table", }, ] } key="1" maxDimension={400} title="test run run-with-workflow-2" /> <Separator /> </div> <Hr /> <Separator orientation="vertical" /> </div> </div> `; exports[`Compare renders a page with multiple runs 1`] = ` <div className="page" > <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Run overview" /> <div className="noShrink" > <RunList disablePaging={true} history={ Object { "push": [MockFunction], } } location={ Object { "pathname": "/compare", "search": "?runlist=mock-run-1-id,mock-run-2-id,mock-run-3-id", } } match={Object {}} onError={[Function]} onSelectionChange={[Function]} runIdListMask={ Array [ "mock-run-1-id", "mock-run-2-id", "mock-run-3-id", ] } selectedIds={ Array [ "mock-run-1-id", "mock-run-2-id", "mock-run-3-id", ] } toolbarProps={ Object { "actions": Object { "collapse": Object { "action": [Function], "icon": [Function], "id": "collapseBtn", "title": "Collapse all", "tooltip": "Collapse all sections", }, "expand": Object { "action": [Function], "icon": [Function], "id": "expandBtn", "title": "Expand all", "tooltip": "Expand all sections", }, "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Compare runs", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </div> <Separator orientation="vertical" /> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Parameters" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={Array []} xLabels={ Array [ "test run mock-run-1-id", "test run mock-run-2-id", "test run mock-run-3-id", ] } yLabels={Array []} /> <Hr /> </div> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Metrics" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={Array []} xLabels={ Array [ "test run mock-run-1-id", "test run mock-run-2-id", "test run mock-run-3-id", ] } yLabels={Array []} /> <Hr /> </div> <Separator orientation="vertical" /> </div> `; exports[`Compare renders a page with no runs 1`] = ` <div className="page" > <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Run overview" /> <div className="noShrink" > <RunList disablePaging={true} history={ Object { "push": [MockFunction], } } location={ Object { "pathname": "/compare", "search": "", } } match={Object {}} onError={[Function]} onSelectionChange={[Function]} runIdListMask={Array []} selectedIds={Array []} toolbarProps={ Object { "actions": Object { "collapse": Object { "action": [Function], "icon": [Function], "id": "collapseBtn", "title": "Collapse all", "tooltip": "Collapse all sections", }, "expand": Object { "action": [Function], "icon": [Function], "id": "expandBtn", "title": "Expand all", "tooltip": "Expand all sections", }, "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, }, "breadcrumbs": Array [ Object { "displayName": "Experiments", "href": "/experiments", }, ], "pageTitle": "Compare runs", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </div> <Separator orientation="vertical" /> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Parameters" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={Array []} xLabels={Array []} yLabels={Array []} /> <Hr /> </div> <CollapseButton collapseSections={Object {}} compareSetState={[Function]} sectionName="Metrics" /> <div className="noShrink outputsRow" > <Separator orientation="vertical" /> <CompareTable rows={Array []} xLabels={Array []} yLabels={Array []} /> <Hr /> </div> <Separator orientation="vertical" /> </div> `;
7,843
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/ArchivedRuns.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`ArchivedRuns renders archived runs 1`] = ` <div className="page" > <RunList history={ Object { "push": [MockFunction], } } location={Object {}} match={Object {}} onError={[Function]} onSelectionChange={[Function]} selectedIds={Array []} storageState="STORAGESTATE_ARCHIVED" toolbarProps={ Object { "actions": Object { "deleteRun": Object { "action": [Function], "disabled": true, "disabledTitle": "Select at least one run to delete", "id": "deleteBtn", "title": "Delete", "tooltip": "Delete", }, "refresh": Object { "action": [Function], "id": "refreshBtn", "title": "Refresh", "tooltip": "Refresh the list", }, "restore": Object { "action": [Function], "disabled": true, "disabledTitle": "Select at least one resource to restore", "id": "restoreBtn", "title": "Restore", "tooltip": "Restore", }, }, "breadcrumbs": Array [], "pageTitle": "Archive", } } updateBanner={[MockFunction]} updateDialog={[MockFunction]} updateSnackbar={[MockFunction]} updateToolbar={[MockFunction]} /> </div> `;
7,844
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/NewPipelineVersion.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`NewPipelineVersion creating new pipeline renders the new pipeline page 1`] = ` <div className="page" > <div className="scrollContainer" > <div className="flex" > <WithStyles(WithFormControlContext(FormControlLabel)) checked={true} control={ <WithStyles(Radio) color="primary" /> } id="createNewPipelineBtn" label="Create a new pipeline" onChange={[Function]} /> <WithStyles(WithFormControlContext(FormControlLabel)) checked={false} control={ <WithStyles(Radio) color="primary" /> } id="createPipelineVersionUnderExistingPipelineBtn" label="Create a new pipeline version under an existing pipeline" onChange={[Function]} /> </div> <div className="explanation" > Upload pipeline with the specified package. </div> <Input autoFocus={true} id="newPipelineName" inputRef={ Object { "current": null, } } label="Pipeline Name" onChange={[Function]} required={true} value="" variant="outlined" /> <Input autoFocus={true} id="pipelineDescription" inputRef={ Object { "current": null, } } label="Pipeline Description" onChange={[Function]} required={true} value="" variant="outlined" /> <div className="" > URL must be publicly accessible. </div> <DocumentationCompilePipeline /> <div className="flex" > <WithStyles(WithFormControlContext(FormControlLabel)) checked={false} control={ <WithStyles(Radio) color="primary" /> } id="localPackageBtn" label="Upload a file" onChange={[Function]} /> <n disableClick={true} disablePreview={false} disabled={true} getDataTransferItems={[Function]} id="dropZone" inputProps={ Object { "tabIndex": -1, } } maxSize={Infinity} minSize={0} multiple={true} onDragEnter={[Function]} onDragLeave={[Function]} onDrop={[Function]} preventDropOnDocument={true} style={ Object { "position": "relative", } } > <Input InputProps={ Object { "endAdornment": <WithStyles(InputAdornment) position="end" > <WithStyles(Button) color="secondary" disabled={true} onClick={[Function]} style={ Object { "margin": 0, "padding": "3px 5px", "whiteSpace": "nowrap", } } > Choose file </WithStyles(Button)> </WithStyles(InputAdornment)>, "readOnly": true, "style": Object { "maxWidth": 2000, "width": 455, }, } } disabled={true} label="File" onChange={[Function]} required={true} value="" variant="outlined" /> </n> </div> <div className="flex" > <WithStyles(WithFormControlContext(FormControlLabel)) checked={true} control={ <WithStyles(Radio) color="primary" /> } id="remotePackageBtn" label="Import by url" onChange={[Function]} /> <Input disabled={false} id="pipelinePackageUrl" label="Package Url" multiline={true} onChange={[Function]} style={ Object { "maxWidth": 2000, "width": 465, } } value="" variant="outlined" /> </div> <Input id="pipelineVersionCodeSource" label="Code Source (optional)" multiline={true} onChange={[Function]} value="" variant="outlined" /> <div className="flex" > <BusyButton busy={false} className="buttonAction" disabled={true} id="createNewPipelineOrVersionBtn" onClick={[Function]} title="Create" /> <WithStyles(Button) id="cancelNewPipelineOrVersionBtn" onClick={[Function]} > Cancel </WithStyles(Button)> <div className="errorMessage" > Must specify either package url or file in .yaml, .zip, or .tar.gz </div> </div> </div> </div> `;
7,845
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages
kubeflow_public_repos/kfp-tekton-backend/frontend/src/pages/__snapshots__/PipelineVersionList.test.tsx.snap
// Jest Snapshot v1, https://goo.gl/fbAQLP exports[`PipelineVersionList calls Apis to list pipeline versions, sorted by creation time in descending order 1`] = ` <PipelineVersionList history={Object {}} location={ Object { "search": "", } } match="" onError={[MockFunction]} pipelineId="pipeline" > <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipeline versions found." initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "id": "test-pipeline-version-id0", "otherFields": Array [ "test pipeline version name0", "-", ], }, Object { "id": "test-pipeline-version-id1", "otherFields": Array [ "test pipeline version name1", "-", ], }, ] } > <div className="pageOverflowHidden" > <div> <Input InputLabelProps={ Object { "classes": Object { "root": "noMargin", }, } } InputProps={ Object { "classes": Object { "notchedOutline": "filterBorderRadius", "root": "noLeftPadding", }, "startAdornment": <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)>, } } className="filterBox" height={48} id="tableFilterBox" label="Filter" maxWidth="100%" onChange={[Function]} value="" variant="outlined" > <TextField InputLabelProps={ Object { "classes": Object { "root": "noMargin", }, } } InputProps={ Object { "classes": Object { "notchedOutline": "filterBorderRadius", "root": "noLeftPadding", }, "startAdornment": <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)>, } } className="filterBox" id="tableFilterBox" label="Filter" onChange={[Function]} required={false} select={false} spellCheck={false} style={ Object { "height": 48, "maxWidth": "100%", "width": "100%", } } value="" variant="outlined" > <WithStyles(FormControl) className="filterBox" required={false} spellCheck={false} style={ Object { "height": 48, "maxWidth": "100%", "width": "100%", } } variant="outlined" > <FormControl className="filterBox" classes={ Object { "fullWidth": "MuiFormControl-fullWidth-4", "marginDense": "MuiFormControl-marginDense-3", "marginNormal": "MuiFormControl-marginNormal-2", "root": "MuiFormControl-root-1", } } component="div" disabled={false} error={false} fullWidth={false} margin="none" required={false} spellCheck={false} style={ Object { "height": 48, "maxWidth": "100%", "width": "100%", } } variant="outlined" > <div className="MuiFormControl-root-1 filterBox" spellCheck={false} style={ Object { "height": 48, "maxWidth": "100%", "width": "100%", } } > <WithStyles(WithFormControlContext(InputLabel)) classes={ Object { "root": "noMargin", } } htmlFor="tableFilterBox" > <WithFormControlContext(InputLabel) classes={ Object { "animated": "MuiInputLabel-animated-13", "disabled": "MuiInputLabel-disabled-7", "error": "MuiInputLabel-error-8", "filled": "MuiInputLabel-filled-14", "focused": "MuiInputLabel-focused-6", "formControl": "MuiInputLabel-formControl-10", "marginDense": "MuiInputLabel-marginDense-11", "outlined": "MuiInputLabel-outlined-15", "required": "MuiInputLabel-required-9", "root": "MuiInputLabel-root-5 noMargin", "shrink": "MuiInputLabel-shrink-12", } } htmlFor="tableFilterBox" > <InputLabel classes={ Object { "animated": "MuiInputLabel-animated-13", "disabled": "MuiInputLabel-disabled-7", "error": "MuiInputLabel-error-8", "filled": "MuiInputLabel-filled-14", "focused": "MuiInputLabel-focused-6", "formControl": "MuiInputLabel-formControl-10", "marginDense": "MuiInputLabel-marginDense-11", "outlined": "MuiInputLabel-outlined-15", "required": "MuiInputLabel-required-9", "root": "MuiInputLabel-root-5 noMargin", "shrink": "MuiInputLabel-shrink-12", } } disableAnimation={false} htmlFor="tableFilterBox" muiFormControl={ Object { "adornedStart": true, "disabled": false, "error": false, "filled": false, "focused": false, "margin": "none", "onBlur": [Function], "onEmpty": [Function], "onFilled": [Function], "onFocus": [Function], "required": false, "variant": "outlined", } } > <WithStyles(WithFormControlContext(FormLabel)) className="MuiInputLabel-root-5 noMargin MuiInputLabel-formControl-10 MuiInputLabel-animated-13 MuiInputLabel-shrink-12 MuiInputLabel-outlined-15" classes={ Object { "disabled": "MuiInputLabel-disabled-7", "error": "MuiInputLabel-error-8", "focused": "MuiInputLabel-focused-6", "required": "MuiInputLabel-required-9", } } data-shrink={true} htmlFor="tableFilterBox" > <WithFormControlContext(FormLabel) className="MuiInputLabel-root-5 noMargin MuiInputLabel-formControl-10 MuiInputLabel-animated-13 MuiInputLabel-shrink-12 MuiInputLabel-outlined-15" classes={ Object { "asterisk": "MuiFormLabel-asterisk-22", "disabled": "MuiFormLabel-disabled-18 MuiInputLabel-disabled-7", "error": "MuiFormLabel-error-19 MuiInputLabel-error-8", "filled": "MuiFormLabel-filled-20", "focused": "MuiFormLabel-focused-17 MuiInputLabel-focused-6", "required": "MuiFormLabel-required-21 MuiInputLabel-required-9", "root": "MuiFormLabel-root-16", } } data-shrink={true} htmlFor="tableFilterBox" > <FormLabel className="MuiInputLabel-root-5 noMargin MuiInputLabel-formControl-10 MuiInputLabel-animated-13 MuiInputLabel-shrink-12 MuiInputLabel-outlined-15" classes={ Object { "asterisk": "MuiFormLabel-asterisk-22", "disabled": "MuiFormLabel-disabled-18 MuiInputLabel-disabled-7", "error": "MuiFormLabel-error-19 MuiInputLabel-error-8", "filled": "MuiFormLabel-filled-20", "focused": "MuiFormLabel-focused-17 MuiInputLabel-focused-6", "required": "MuiFormLabel-required-21 MuiInputLabel-required-9", "root": "MuiFormLabel-root-16", } } component="label" data-shrink={true} htmlFor="tableFilterBox" muiFormControl={ Object { "adornedStart": true, "disabled": false, "error": false, "filled": false, "focused": false, "margin": "none", "onBlur": [Function], "onEmpty": [Function], "onFilled": [Function], "onFocus": [Function], "required": false, "variant": "outlined", } } > <label className="MuiFormLabel-root-16 MuiInputLabel-root-5 noMargin MuiInputLabel-formControl-10 MuiInputLabel-animated-13 MuiInputLabel-shrink-12 MuiInputLabel-outlined-15" data-shrink={true} htmlFor="tableFilterBox" > Filter </label> </FormLabel> </WithFormControlContext(FormLabel)> </WithStyles(WithFormControlContext(FormLabel))> </InputLabel> </WithFormControlContext(InputLabel)> </WithStyles(WithFormControlContext(InputLabel))> <WithStyles(OutlinedInput) classes={ Object { "notchedOutline": "filterBorderRadius", "root": "noLeftPadding", } } id="tableFilterBox" labelWidth={0} onChange={[Function]} startAdornment={ <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)> } value="" > <OutlinedInput classes={ Object { "adornedEnd": "MuiOutlinedInput-adornedEnd-27", "adornedStart": "MuiOutlinedInput-adornedStart-26", "disabled": "MuiOutlinedInput-disabled-25", "error": "MuiOutlinedInput-error-28", "focused": "MuiOutlinedInput-focused-24", "input": "MuiOutlinedInput-input-31", "inputAdornedEnd": "MuiOutlinedInput-inputAdornedEnd-35", "inputAdornedStart": "MuiOutlinedInput-inputAdornedStart-34", "inputMarginDense": "MuiOutlinedInput-inputMarginDense-32", "inputMultiline": "MuiOutlinedInput-inputMultiline-33", "multiline": "MuiOutlinedInput-multiline-29", "notchedOutline": "MuiOutlinedInput-notchedOutline-30 filterBorderRadius", "root": "MuiOutlinedInput-root-23 noLeftPadding", } } id="tableFilterBox" labelWidth={0} onChange={[Function]} startAdornment={ <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)> } value="" > <WithStyles(WithFormControlContext(InputBase)) classes={ Object { "adornedEnd": "MuiOutlinedInput-adornedEnd-27", "adornedStart": "MuiOutlinedInput-adornedStart-26", "disabled": "MuiOutlinedInput-disabled-25", "error": "MuiOutlinedInput-error-28", "focused": "MuiOutlinedInput-focused-24", "input": "MuiOutlinedInput-input-31", "inputAdornedEnd": "MuiOutlinedInput-inputAdornedEnd-35", "inputAdornedStart": "MuiOutlinedInput-inputAdornedStart-34", "inputMarginDense": "MuiOutlinedInput-inputMarginDense-32", "inputMultiline": "MuiOutlinedInput-inputMultiline-33", "multiline": "MuiOutlinedInput-multiline-29", "notchedOutline": null, "root": "MuiOutlinedInput-root-23 noLeftPadding", } } fullWidth={false} id="tableFilterBox" inputComponent="input" multiline={false} onChange={[Function]} renderPrefix={[Function]} startAdornment={ <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)> } type="text" value="" > <WithFormControlContext(InputBase) classes={ Object { "adornedEnd": "MuiInputBase-adornedEnd-41 MuiOutlinedInput-adornedEnd-27", "adornedStart": "MuiInputBase-adornedStart-40 MuiOutlinedInput-adornedStart-26", "disabled": "MuiInputBase-disabled-39 MuiOutlinedInput-disabled-25", "error": "MuiInputBase-error-42 MuiOutlinedInput-error-28", "focused": "MuiInputBase-focused-38 MuiOutlinedInput-focused-24", "formControl": "MuiInputBase-formControl-37", "fullWidth": "MuiInputBase-fullWidth-45", "input": "MuiInputBase-input-46 MuiOutlinedInput-input-31", "inputAdornedEnd": "MuiInputBase-inputAdornedEnd-52 MuiOutlinedInput-inputAdornedEnd-35", "inputAdornedStart": "MuiInputBase-inputAdornedStart-51 MuiOutlinedInput-inputAdornedStart-34", "inputMarginDense": "MuiInputBase-inputMarginDense-47 MuiOutlinedInput-inputMarginDense-32", "inputMultiline": "MuiInputBase-inputMultiline-48 MuiOutlinedInput-inputMultiline-33", "inputType": "MuiInputBase-inputType-49", "inputTypeSearch": "MuiInputBase-inputTypeSearch-50", "marginDense": "MuiInputBase-marginDense-43", "multiline": "MuiInputBase-multiline-44 MuiOutlinedInput-multiline-29", "root": "MuiInputBase-root-36 MuiOutlinedInput-root-23 noLeftPadding", } } fullWidth={false} id="tableFilterBox" inputComponent="input" multiline={false} onChange={[Function]} renderPrefix={[Function]} startAdornment={ <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)> } type="text" value="" > <InputBase classes={ Object { "adornedEnd": "MuiInputBase-adornedEnd-41 MuiOutlinedInput-adornedEnd-27", "adornedStart": "MuiInputBase-adornedStart-40 MuiOutlinedInput-adornedStart-26", "disabled": "MuiInputBase-disabled-39 MuiOutlinedInput-disabled-25", "error": "MuiInputBase-error-42 MuiOutlinedInput-error-28", "focused": "MuiInputBase-focused-38 MuiOutlinedInput-focused-24", "formControl": "MuiInputBase-formControl-37", "fullWidth": "MuiInputBase-fullWidth-45", "input": "MuiInputBase-input-46 MuiOutlinedInput-input-31", "inputAdornedEnd": "MuiInputBase-inputAdornedEnd-52 MuiOutlinedInput-inputAdornedEnd-35", "inputAdornedStart": "MuiInputBase-inputAdornedStart-51 MuiOutlinedInput-inputAdornedStart-34", "inputMarginDense": "MuiInputBase-inputMarginDense-47 MuiOutlinedInput-inputMarginDense-32", "inputMultiline": "MuiInputBase-inputMultiline-48 MuiOutlinedInput-inputMultiline-33", "inputType": "MuiInputBase-inputType-49", "inputTypeSearch": "MuiInputBase-inputTypeSearch-50", "marginDense": "MuiInputBase-marginDense-43", "multiline": "MuiInputBase-multiline-44 MuiOutlinedInput-multiline-29", "root": "MuiInputBase-root-36 MuiOutlinedInput-root-23 noLeftPadding", } } fullWidth={false} id="tableFilterBox" inputComponent="input" muiFormControl={ Object { "adornedStart": true, "disabled": false, "error": false, "filled": false, "focused": false, "margin": "none", "onBlur": [Function], "onEmpty": [Function], "onFilled": [Function], "onFocus": [Function], "required": false, "variant": "outlined", } } multiline={false} onChange={[Function]} renderPrefix={[Function]} startAdornment={ <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)> } type="text" value="" > <div className="MuiInputBase-root-36 MuiOutlinedInput-root-23 noLeftPadding MuiInputBase-formControl-37 MuiInputBase-adornedStart-40 MuiOutlinedInput-adornedStart-26" onClick={[Function]} > <WithStyles(NotchedOutline) className="MuiOutlinedInput-notchedOutline-30 filterBorderRadius" labelWidth={0} notched={true} > <NotchedOutline className="MuiOutlinedInput-notchedOutline-30 filterBorderRadius" classes={ Object { "legend": "MuiPrivateNotchedOutline-legend-54", "root": "MuiPrivateNotchedOutline-root-53", } } labelWidth={0} notched={true} theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } > <fieldset aria-hidden={true} className="MuiPrivateNotchedOutline-root-53 MuiOutlinedInput-notchedOutline-30 filterBorderRadius" style={ Object { "paddingLeft": 8, } } > <legend className="MuiPrivateNotchedOutline-legend-54" style={ Object { "width": 0, } } > <span dangerouslySetInnerHTML={ Object { "__html": "&#8203;", } } /> </legend> </fieldset> </NotchedOutline> </WithStyles(NotchedOutline)> <WithStyles(InputAdornment) position="end" > <InputAdornment classes={ Object { "filled": "MuiInputAdornment-filled-56", "positionEnd": "MuiInputAdornment-positionEnd-58", "positionStart": "MuiInputAdornment-positionStart-57", "root": "MuiInputAdornment-root-55", } } component="div" disableTypography={false} position="end" > <div className="MuiInputAdornment-root-55 MuiInputAdornment-positionEnd-58" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } > <FilterListIcon style={ Object { "color": "#80868b", "paddingRight": 16, } } > <WithStyles(SvgIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } > <SvgIcon classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" style={ Object { "color": "#80868b", "paddingRight": 16, } } viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59" focusable="false" role="presentation" style={ Object { "color": "#80868b", "paddingRight": 16, } } viewBox="0 0 24 24" > <path d="M10 18h4v-2h-4v2zM3 6v2h18V6H3zm3 7h12v-2H6v2z" /> <path d="M0 0h24v24H0z" fill="none" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </FilterListIcon> </pure(FilterListIcon)> </div> </InputAdornment> </WithStyles(InputAdornment)> <input aria-invalid={false} className="MuiInputBase-input-46 MuiOutlinedInput-input-31 MuiInputBase-inputAdornedStart-51 MuiOutlinedInput-inputAdornedStart-34" disabled={false} id="tableFilterBox" onBlur={[Function]} onChange={[Function]} onFocus={[Function]} required={false} type="text" value="" /> </div> </InputBase> </WithFormControlContext(InputBase)> </WithStyles(WithFormControlContext(InputBase))> </OutlinedInput> </WithStyles(OutlinedInput)> </div> </FormControl> </WithStyles(FormControl)> </TextField> </Input> </div> <div className="header" > <div className="columnName cell selectionToggle" > <WithStyles(Checkbox) checked={false} color="primary" indeterminate={false} onChange={[Function]} > <Checkbox checked={false} checkedIcon={<pure(CheckBox) />} classes={ Object { "checked": "MuiCheckbox-checked-69", "colorPrimary": "MuiCheckbox-colorPrimary-72", "colorSecondary": "MuiCheckbox-colorSecondary-73", "disabled": "MuiCheckbox-disabled-70", "indeterminate": "MuiCheckbox-indeterminate-71", "root": "MuiCheckbox-root-68", } } color="primary" icon={<pure(CheckBoxOutlineBlank) />} indeterminate={false} indeterminateIcon={<pure(IndeterminateCheckBox) />} onChange={[Function]} > <WithStyles(WithFormControlContext(SwitchBase)) checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiCheckbox-checked-69", "disabled": "MuiCheckbox-disabled-70", "root": "MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } onChange={[Function]} type="checkbox" > <WithFormControlContext(SwitchBase) checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiPrivateSwitchBase-checked-75 MuiCheckbox-checked-69", "disabled": "MuiPrivateSwitchBase-disabled-76 MuiCheckbox-disabled-70", "input": "MuiPrivateSwitchBase-input-77", "root": "MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } onChange={[Function]} type="checkbox" > <SwitchBase checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiPrivateSwitchBase-checked-75 MuiCheckbox-checked-69", "disabled": "MuiPrivateSwitchBase-disabled-76 MuiCheckbox-disabled-70", "input": "MuiPrivateSwitchBase-input-77", "root": "MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } onChange={[Function]} type="checkbox" > <WithStyles(IconButton) className="MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" component="span" onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <IconButton className="MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" classes={ Object { "colorInherit": "MuiIconButton-colorInherit-79", "colorPrimary": "MuiIconButton-colorPrimary-80", "colorSecondary": "MuiIconButton-colorSecondary-81", "disabled": "MuiIconButton-disabled-82", "label": "MuiIconButton-label-83", "root": "MuiIconButton-root-78", } } color="default" component="span" disabled={false} onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <WithStyles(ButtonBase) centerRipple={true} className="MuiIconButton-root-78 MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" component="span" disabled={false} focusRipple={true} onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <ButtonBase centerRipple={true} className="MuiIconButton-root-78 MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" classes={ Object { "disabled": "MuiButtonBase-disabled-85", "focusVisible": "MuiButtonBase-focusVisible-86", "root": "MuiButtonBase-root-84", } } component="span" disableRipple={false} disableTouchRipple={false} disabled={false} focusRipple={true} onBlur={[Function]} onFocus={[Function]} tabIndex={null} type="button" > <span className="MuiButtonBase-root-84 MuiIconButton-root-78 MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" onBlur={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} tabIndex={null} > <span className="MuiIconButton-label-83" > <pure(CheckBoxOutlineBlank)> <CheckBoxOutlineBlank> <WithStyles(SvgIcon)> <SvgIcon classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M19 5v14H5V5h14m0-2H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </CheckBoxOutlineBlank> </pure(CheckBoxOutlineBlank)> <input checked={false} className="MuiPrivateSwitchBase-input-77" data-indeterminate={false} onChange={[Function]} type="checkbox" /> </span> <NoSsr defer={false} fallback={null} > <WithStyles(TouchRipple) center={true} innerRef={[Function]} > <TouchRipple center={true} classes={ Object { "child": "MuiTouchRipple-child-128", "childLeaving": "MuiTouchRipple-childLeaving-129", "childPulsate": "MuiTouchRipple-childPulsate-130", "ripple": "MuiTouchRipple-ripple-125", "ripplePulsate": "MuiTouchRipple-ripplePulsate-127", "rippleVisible": "MuiTouchRipple-rippleVisible-126", "root": "MuiTouchRipple-root-124", } } > <TransitionGroup childFactory={[Function]} className="MuiTouchRipple-root-124" component="span" enter={true} exit={true} > <span className="MuiTouchRipple-root-124" /> </TransitionGroup> </TouchRipple> </WithStyles(TouchRipple)> </NoSsr> </span> </ButtonBase> </WithStyles(ButtonBase)> </IconButton> </WithStyles(IconButton)> </SwitchBase> </WithFormControlContext(SwitchBase)> </WithStyles(WithFormControlContext(SwitchBase))> </Checkbox> </WithStyles(Checkbox)> </div> <div className="columnName" key="0" style={ Object { "width": "66.66666666666666%", } } title="Version name" > <WithStyles(Tooltip) enterDelay={300} title="Sort" > <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-87", "popperInteractive": "MuiTooltip-popperInteractive-88", "tooltip": "MuiTooltip-tooltip-89", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-94", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-91", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-92", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-93", "touch": "MuiTooltip-touch-90", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={300} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title="Sort" > <RootRef rootRef={[Function]} > <WithStyles(TableSortLabel) active={false} aria-describedby={null} className="ellipsis" direction="desc" onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Sort" > <TableSortLabel IconComponent={[Function]} active={false} aria-describedby={null} className="ellipsis" classes={ Object { "active": "MuiTableSortLabel-active-96", "icon": "MuiTableSortLabel-icon-97", "iconDirectionAsc": "MuiTableSortLabel-iconDirectionAsc-99", "iconDirectionDesc": "MuiTableSortLabel-iconDirectionDesc-98", "root": "MuiTableSortLabel-root-95", } } direction="desc" hideSortIcon={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Sort" > <WithStyles(ButtonBase) aria-describedby={null} className="MuiTableSortLabel-root-95 ellipsis" component="span" disableRipple={true} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Sort" > <ButtonBase aria-describedby={null} centerRipple={false} className="MuiTableSortLabel-root-95 ellipsis" classes={ Object { "disabled": "MuiButtonBase-disabled-85", "focusVisible": "MuiButtonBase-focusVisible-86", "root": "MuiButtonBase-root-84", } } component="span" disableRipple={true} disableTouchRipple={false} focusRipple={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} tabIndex="0" title="Sort" type="button" > <span aria-describedby={null} className="MuiButtonBase-root-84 MuiTableSortLabel-root-95 ellipsis" onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} role="button" tabIndex="0" title="Sort" > Version name <pure(ArrowDownward) className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <ArrowDownward className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <WithStyles(SvgIcon) className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <SvgIcon className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59 MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ArrowDownward> </pure(ArrowDownward)> </span> </ButtonBase> </WithStyles(ButtonBase)> </TableSortLabel> </WithStyles(TableSortLabel)> </RootRef> <Popper anchorEl={ <span class="MuiButtonBase-root-84 MuiTableSortLabel-root-95 ellipsis" role="button" tabindex="0" title="Sort" > Version name <svg aria-hidden="true" class="MuiSvgIcon-root-59 MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </span> } className="MuiTooltip-popper-87" disablePortal={false} id={null} open={false} placement="bottom" transition={true} /> </Tooltip> </WithStyles(Tooltip)> </div> <div className="columnName" key="1" style={ Object { "width": "33.33333333333333%", } } title="Uploaded on" > <WithStyles(Tooltip) enterDelay={300} title="Sort" > <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-87", "popperInteractive": "MuiTooltip-popperInteractive-88", "tooltip": "MuiTooltip-tooltip-89", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-94", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-91", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-92", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-93", "touch": "MuiTooltip-touch-90", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={300} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title="Sort" > <RootRef rootRef={[Function]} > <WithStyles(TableSortLabel) active={true} aria-describedby={null} className="ellipsis" direction="desc" onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Sort" > <TableSortLabel IconComponent={[Function]} active={true} aria-describedby={null} className="ellipsis" classes={ Object { "active": "MuiTableSortLabel-active-96", "icon": "MuiTableSortLabel-icon-97", "iconDirectionAsc": "MuiTableSortLabel-iconDirectionAsc-99", "iconDirectionDesc": "MuiTableSortLabel-iconDirectionDesc-98", "root": "MuiTableSortLabel-root-95", } } direction="desc" hideSortIcon={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Sort" > <WithStyles(ButtonBase) aria-describedby={null} className="MuiTableSortLabel-root-95 MuiTableSortLabel-active-96 ellipsis" component="span" disableRipple={true} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Sort" > <ButtonBase aria-describedby={null} centerRipple={false} className="MuiTableSortLabel-root-95 MuiTableSortLabel-active-96 ellipsis" classes={ Object { "disabled": "MuiButtonBase-disabled-85", "focusVisible": "MuiButtonBase-focusVisible-86", "root": "MuiButtonBase-root-84", } } component="span" disableRipple={true} disableTouchRipple={false} focusRipple={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} tabIndex="0" title="Sort" type="button" > <span aria-describedby={null} className="MuiButtonBase-root-84 MuiTableSortLabel-root-95 MuiTableSortLabel-active-96 ellipsis" onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} role="button" tabIndex="0" title="Sort" > Uploaded on <pure(ArrowDownward) className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <ArrowDownward className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <WithStyles(SvgIcon) className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" > <SvgIcon className="MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59 MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ArrowDownward> </pure(ArrowDownward)> </span> </ButtonBase> </WithStyles(ButtonBase)> </TableSortLabel> </WithStyles(TableSortLabel)> </RootRef> <Popper anchorEl={ <span class="MuiButtonBase-root-84 MuiTableSortLabel-root-95 MuiTableSortLabel-active-96 ellipsis" role="button" tabindex="0" title="Sort" > Uploaded on <svg aria-hidden="true" class="MuiSvgIcon-root-59 MuiTableSortLabel-icon-97 MuiTableSortLabel-iconDirectionDesc-98" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </span> } className="MuiTooltip-popper-87" disablePortal={false} id={null} open={false} placement="bottom" transition={true} /> </Tooltip> </WithStyles(Tooltip)> </div> </div> <div className="scrollContainer" style={ Object { "minHeight": 60, } } > <div className="expandableContainer" key="0" > <div aria-checked={false} className="tableRow row" onClick={[Function]} role="checkbox" tabIndex={-1} > <div className="cell selectionToggle" > <WithStyles(Checkbox) checked={false} color="primary" > <Checkbox checked={false} checkedIcon={<pure(CheckBox) />} classes={ Object { "checked": "MuiCheckbox-checked-69", "colorPrimary": "MuiCheckbox-colorPrimary-72", "colorSecondary": "MuiCheckbox-colorSecondary-73", "disabled": "MuiCheckbox-disabled-70", "indeterminate": "MuiCheckbox-indeterminate-71", "root": "MuiCheckbox-root-68", } } color="primary" icon={<pure(CheckBoxOutlineBlank) />} indeterminate={false} indeterminateIcon={<pure(IndeterminateCheckBox) />} > <WithStyles(WithFormControlContext(SwitchBase)) checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiCheckbox-checked-69", "disabled": "MuiCheckbox-disabled-70", "root": "MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } type="checkbox" > <WithFormControlContext(SwitchBase) checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiPrivateSwitchBase-checked-75 MuiCheckbox-checked-69", "disabled": "MuiPrivateSwitchBase-disabled-76 MuiCheckbox-disabled-70", "input": "MuiPrivateSwitchBase-input-77", "root": "MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } type="checkbox" > <SwitchBase checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiPrivateSwitchBase-checked-75 MuiCheckbox-checked-69", "disabled": "MuiPrivateSwitchBase-disabled-76 MuiCheckbox-disabled-70", "input": "MuiPrivateSwitchBase-input-77", "root": "MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } type="checkbox" > <WithStyles(IconButton) className="MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" component="span" onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <IconButton className="MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" classes={ Object { "colorInherit": "MuiIconButton-colorInherit-79", "colorPrimary": "MuiIconButton-colorPrimary-80", "colorSecondary": "MuiIconButton-colorSecondary-81", "disabled": "MuiIconButton-disabled-82", "label": "MuiIconButton-label-83", "root": "MuiIconButton-root-78", } } color="default" component="span" disabled={false} onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <WithStyles(ButtonBase) centerRipple={true} className="MuiIconButton-root-78 MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" component="span" disabled={false} focusRipple={true} onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <ButtonBase centerRipple={true} className="MuiIconButton-root-78 MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" classes={ Object { "disabled": "MuiButtonBase-disabled-85", "focusVisible": "MuiButtonBase-focusVisible-86", "root": "MuiButtonBase-root-84", } } component="span" disableRipple={false} disableTouchRipple={false} disabled={false} focusRipple={true} onBlur={[Function]} onFocus={[Function]} tabIndex={null} type="button" > <span className="MuiButtonBase-root-84 MuiIconButton-root-78 MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" onBlur={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} tabIndex={null} > <span className="MuiIconButton-label-83" > <pure(CheckBoxOutlineBlank)> <CheckBoxOutlineBlank> <WithStyles(SvgIcon)> <SvgIcon classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M19 5v14H5V5h14m0-2H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </CheckBoxOutlineBlank> </pure(CheckBoxOutlineBlank)> <input checked={false} className="MuiPrivateSwitchBase-input-77" data-indeterminate={false} onChange={[Function]} type="checkbox" /> </span> <NoSsr defer={false} fallback={null} > <WithStyles(TouchRipple) center={true} innerRef={[Function]} > <TouchRipple center={true} classes={ Object { "child": "MuiTouchRipple-child-128", "childLeaving": "MuiTouchRipple-childLeaving-129", "childPulsate": "MuiTouchRipple-childPulsate-130", "ripple": "MuiTouchRipple-ripple-125", "ripplePulsate": "MuiTouchRipple-ripplePulsate-127", "rippleVisible": "MuiTouchRipple-rippleVisible-126", "root": "MuiTouchRipple-root-124", } } > <TransitionGroup childFactory={[Function]} className="MuiTouchRipple-root-124" component="span" enter={true} exit={true} > <span className="MuiTouchRipple-root-124" /> </TransitionGroup> </TouchRipple> </WithStyles(TouchRipple)> </NoSsr> </span> </ButtonBase> </WithStyles(ButtonBase)> </IconButton> </WithStyles(IconButton)> </SwitchBase> </WithFormControlContext(SwitchBase)> </WithStyles(WithFormControlContext(SwitchBase))> </Checkbox> </WithStyles(Checkbox)> </div> <CustomTableRow columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } row={ Object { "id": "test-pipeline-version-id0", "otherFields": Array [ "test pipeline version name0", "-", ], } } > <div className="cell" key="0" style={ Object { "width": "66.66666666666666%", } } > <Link className="link" onClick={[Function]} replace={false} to="/pipelines/details/pipeline/version/test-pipeline-version-id0?" > <a className="link" href="/pipelines/details/pipeline/version/test-pipeline-version-id0" onClick={[Function]} > test pipeline version name0 </a> </Link> </div> <div className="cell" key="1" style={ Object { "width": "33.33333333333333%", } } > - </div> </CustomTableRow> </div> </div> <div className="expandableContainer" key="1" > <div aria-checked={false} className="tableRow row" onClick={[Function]} role="checkbox" tabIndex={-1} > <div className="cell selectionToggle" > <WithStyles(Checkbox) checked={false} color="primary" > <Checkbox checked={false} checkedIcon={<pure(CheckBox) />} classes={ Object { "checked": "MuiCheckbox-checked-69", "colorPrimary": "MuiCheckbox-colorPrimary-72", "colorSecondary": "MuiCheckbox-colorSecondary-73", "disabled": "MuiCheckbox-disabled-70", "indeterminate": "MuiCheckbox-indeterminate-71", "root": "MuiCheckbox-root-68", } } color="primary" icon={<pure(CheckBoxOutlineBlank) />} indeterminate={false} indeterminateIcon={<pure(IndeterminateCheckBox) />} > <WithStyles(WithFormControlContext(SwitchBase)) checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiCheckbox-checked-69", "disabled": "MuiCheckbox-disabled-70", "root": "MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } type="checkbox" > <WithFormControlContext(SwitchBase) checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiPrivateSwitchBase-checked-75 MuiCheckbox-checked-69", "disabled": "MuiPrivateSwitchBase-disabled-76 MuiCheckbox-disabled-70", "input": "MuiPrivateSwitchBase-input-77", "root": "MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } type="checkbox" > <SwitchBase checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiPrivateSwitchBase-checked-75 MuiCheckbox-checked-69", "disabled": "MuiPrivateSwitchBase-disabled-76 MuiCheckbox-disabled-70", "input": "MuiPrivateSwitchBase-input-77", "root": "MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } type="checkbox" > <WithStyles(IconButton) className="MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" component="span" onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <IconButton className="MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" classes={ Object { "colorInherit": "MuiIconButton-colorInherit-79", "colorPrimary": "MuiIconButton-colorPrimary-80", "colorSecondary": "MuiIconButton-colorSecondary-81", "disabled": "MuiIconButton-disabled-82", "label": "MuiIconButton-label-83", "root": "MuiIconButton-root-78", } } color="default" component="span" disabled={false} onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <WithStyles(ButtonBase) centerRipple={true} className="MuiIconButton-root-78 MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" component="span" disabled={false} focusRipple={true} onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <ButtonBase centerRipple={true} className="MuiIconButton-root-78 MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" classes={ Object { "disabled": "MuiButtonBase-disabled-85", "focusVisible": "MuiButtonBase-focusVisible-86", "root": "MuiButtonBase-root-84", } } component="span" disableRipple={false} disableTouchRipple={false} disabled={false} focusRipple={true} onBlur={[Function]} onFocus={[Function]} tabIndex={null} type="button" > <span className="MuiButtonBase-root-84 MuiIconButton-root-78 MuiPrivateSwitchBase-root-74 MuiCheckbox-root-68 MuiCheckbox-colorPrimary-72" onBlur={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} tabIndex={null} > <span className="MuiIconButton-label-83" > <pure(CheckBoxOutlineBlank)> <CheckBoxOutlineBlank> <WithStyles(SvgIcon)> <SvgIcon classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M19 5v14H5V5h14m0-2H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </CheckBoxOutlineBlank> </pure(CheckBoxOutlineBlank)> <input checked={false} className="MuiPrivateSwitchBase-input-77" data-indeterminate={false} onChange={[Function]} type="checkbox" /> </span> <NoSsr defer={false} fallback={null} > <WithStyles(TouchRipple) center={true} innerRef={[Function]} > <TouchRipple center={true} classes={ Object { "child": "MuiTouchRipple-child-128", "childLeaving": "MuiTouchRipple-childLeaving-129", "childPulsate": "MuiTouchRipple-childPulsate-130", "ripple": "MuiTouchRipple-ripple-125", "ripplePulsate": "MuiTouchRipple-ripplePulsate-127", "rippleVisible": "MuiTouchRipple-rippleVisible-126", "root": "MuiTouchRipple-root-124", } } > <TransitionGroup childFactory={[Function]} className="MuiTouchRipple-root-124" component="span" enter={true} exit={true} > <span className="MuiTouchRipple-root-124" /> </TransitionGroup> </TouchRipple> </WithStyles(TouchRipple)> </NoSsr> </span> </ButtonBase> </WithStyles(ButtonBase)> </IconButton> </WithStyles(IconButton)> </SwitchBase> </WithFormControlContext(SwitchBase)> </WithStyles(WithFormControlContext(SwitchBase))> </Checkbox> </WithStyles(Checkbox)> </div> <CustomTableRow columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } row={ Object { "id": "test-pipeline-version-id1", "otherFields": Array [ "test pipeline version name1", "-", ], } } > <div className="cell" key="0" style={ Object { "width": "66.66666666666666%", } } > <Link className="link" onClick={[Function]} replace={false} to="/pipelines/details/pipeline/version/test-pipeline-version-id1?" > <a className="link" href="/pipelines/details/pipeline/version/test-pipeline-version-id1" onClick={[Function]} > test pipeline version name1 </a> </Link> </div> <div className="cell" key="1" style={ Object { "width": "33.33333333333333%", } } > - </div> </CustomTableRow> </div> </div> </div> <div className="footer" > <span className="" > Rows per page: </span> <TextField InputProps={ Object { "disableUnderline": true, } } className="rowsPerPage" classes={ Object { "root": "verticalAlignInitial", } } onChange={[Function]} required={false} select={true} value={10} variant="standard" > <WithStyles(FormControl) className="rowsPerPage" classes={ Object { "root": "verticalAlignInitial", } } required={false} variant="standard" > <FormControl className="rowsPerPage" classes={ Object { "fullWidth": "MuiFormControl-fullWidth-4", "marginDense": "MuiFormControl-marginDense-3", "marginNormal": "MuiFormControl-marginNormal-2", "root": "MuiFormControl-root-1 verticalAlignInitial", } } component="div" disabled={false} error={false} fullWidth={false} margin="none" required={false} variant="standard" > <div className="MuiFormControl-root-1 verticalAlignInitial rowsPerPage" > <WithStyles(WithFormControlContext(Select)) input={ <WithStyles(Input) disableUnderline={true} onChange={[Function]} value={10} /> } value={10} > <WithFormControlContext(Select) classes={ Object { "disabled": "MuiSelect-disabled-105", "filled": "MuiSelect-filled-102", "icon": "MuiSelect-icon-106", "outlined": "MuiSelect-outlined-103", "root": "MuiSelect-root-100", "select": "MuiSelect-select-101", "selectMenu": "MuiSelect-selectMenu-104", } } input={ <WithStyles(Input) disableUnderline={true} onChange={[Function]} value={10} /> } value={10} > <Select IconComponent={[Function]} autoWidth={false} classes={ Object { "disabled": "MuiSelect-disabled-105", "filled": "MuiSelect-filled-102", "icon": "MuiSelect-icon-106", "outlined": "MuiSelect-outlined-103", "root": "MuiSelect-root-100", "select": "MuiSelect-select-101", "selectMenu": "MuiSelect-selectMenu-104", } } displayEmpty={false} input={ <WithStyles(Input) disableUnderline={true} onChange={[Function]} value={10} /> } muiFormControl={ Object { "adornedStart": false, "disabled": false, "error": false, "filled": true, "focused": false, "margin": "none", "onBlur": [Function], "onEmpty": [Function], "onFilled": [Function], "onFocus": [Function], "required": false, "variant": "standard", } } multiple={false} native={false} value={10} > <WithStyles(Input) disableUnderline={true} inputComponent={[Function]} inputProps={ Object { "IconComponent": [Function], "MenuProps": undefined, "SelectDisplayProps": undefined, "autoWidth": false, "children": Array [ <WithStyles(MenuItem) value={10} > 10 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={20} > 20 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={50} > 50 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={100} > 100 </WithStyles(MenuItem)>, ], "classes": Object { "disabled": "MuiSelect-disabled-105", "filled": "MuiSelect-filled-102", "icon": "MuiSelect-icon-106", "outlined": "MuiSelect-outlined-103", "root": "MuiSelect-root-100", "select": "MuiSelect-select-101", "selectMenu": "MuiSelect-selectMenu-104", }, "displayEmpty": false, "multiple": false, "onClose": undefined, "onOpen": undefined, "open": undefined, "renderValue": undefined, "type": undefined, "variant": "standard", } } onChange={[Function]} value={10} > <Input classes={ Object { "disabled": "MuiInput-disabled-110", "error": "MuiInput-error-112", "focused": "MuiInput-focused-109", "formControl": "MuiInput-formControl-108", "fullWidth": "MuiInput-fullWidth-114", "input": "MuiInput-input-115", "inputMarginDense": "MuiInput-inputMarginDense-116", "inputMultiline": "MuiInput-inputMultiline-117", "inputType": "MuiInput-inputType-118", "inputTypeSearch": "MuiInput-inputTypeSearch-119", "multiline": "MuiInput-multiline-113", "root": "MuiInput-root-107", "underline": "MuiInput-underline-111", } } disableUnderline={true} inputComponent={[Function]} inputProps={ Object { "IconComponent": [Function], "MenuProps": undefined, "SelectDisplayProps": undefined, "autoWidth": false, "children": Array [ <WithStyles(MenuItem) value={10} > 10 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={20} > 20 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={50} > 50 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={100} > 100 </WithStyles(MenuItem)>, ], "classes": Object { "disabled": "MuiSelect-disabled-105", "filled": "MuiSelect-filled-102", "icon": "MuiSelect-icon-106", "outlined": "MuiSelect-outlined-103", "root": "MuiSelect-root-100", "select": "MuiSelect-select-101", "selectMenu": "MuiSelect-selectMenu-104", }, "displayEmpty": false, "multiple": false, "onClose": undefined, "onOpen": undefined, "open": undefined, "renderValue": undefined, "type": undefined, "variant": "standard", } } onChange={[Function]} value={10} > <WithStyles(WithFormControlContext(InputBase)) classes={ Object { "disabled": "MuiInput-disabled-110", "error": "MuiInput-error-112", "focused": "MuiInput-focused-109", "formControl": "MuiInput-formControl-108", "fullWidth": "MuiInput-fullWidth-114", "input": "MuiInput-input-115", "inputMarginDense": "MuiInput-inputMarginDense-116", "inputMultiline": "MuiInput-inputMultiline-117", "inputType": "MuiInput-inputType-118", "inputTypeSearch": "MuiInput-inputTypeSearch-119", "multiline": "MuiInput-multiline-113", "root": "MuiInput-root-107", "underline": null, } } fullWidth={false} inputComponent={[Function]} inputProps={ Object { "IconComponent": [Function], "MenuProps": undefined, "SelectDisplayProps": undefined, "autoWidth": false, "children": Array [ <WithStyles(MenuItem) value={10} > 10 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={20} > 20 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={50} > 50 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={100} > 100 </WithStyles(MenuItem)>, ], "classes": Object { "disabled": "MuiSelect-disabled-105", "filled": "MuiSelect-filled-102", "icon": "MuiSelect-icon-106", "outlined": "MuiSelect-outlined-103", "root": "MuiSelect-root-100", "select": "MuiSelect-select-101", "selectMenu": "MuiSelect-selectMenu-104", }, "displayEmpty": false, "multiple": false, "onClose": undefined, "onOpen": undefined, "open": undefined, "renderValue": undefined, "type": undefined, "variant": "standard", } } multiline={false} onChange={[Function]} type="text" value={10} > <WithFormControlContext(InputBase) classes={ Object { "adornedEnd": "MuiInputBase-adornedEnd-41", "adornedStart": "MuiInputBase-adornedStart-40", "disabled": "MuiInputBase-disabled-39 MuiInput-disabled-110", "error": "MuiInputBase-error-42 MuiInput-error-112", "focused": "MuiInputBase-focused-38 MuiInput-focused-109", "formControl": "MuiInputBase-formControl-37 MuiInput-formControl-108", "fullWidth": "MuiInputBase-fullWidth-45 MuiInput-fullWidth-114", "input": "MuiInputBase-input-46 MuiInput-input-115", "inputAdornedEnd": "MuiInputBase-inputAdornedEnd-52", "inputAdornedStart": "MuiInputBase-inputAdornedStart-51", "inputMarginDense": "MuiInputBase-inputMarginDense-47 MuiInput-inputMarginDense-116", "inputMultiline": "MuiInputBase-inputMultiline-48 MuiInput-inputMultiline-117", "inputType": "MuiInputBase-inputType-49 MuiInput-inputType-118", "inputTypeSearch": "MuiInputBase-inputTypeSearch-50 MuiInput-inputTypeSearch-119", "marginDense": "MuiInputBase-marginDense-43", "multiline": "MuiInputBase-multiline-44 MuiInput-multiline-113", "root": "MuiInputBase-root-36 MuiInput-root-107", } } fullWidth={false} inputComponent={[Function]} inputProps={ Object { "IconComponent": [Function], "MenuProps": undefined, "SelectDisplayProps": undefined, "autoWidth": false, "children": Array [ <WithStyles(MenuItem) value={10} > 10 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={20} > 20 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={50} > 50 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={100} > 100 </WithStyles(MenuItem)>, ], "classes": Object { "disabled": "MuiSelect-disabled-105", "filled": "MuiSelect-filled-102", "icon": "MuiSelect-icon-106", "outlined": "MuiSelect-outlined-103", "root": "MuiSelect-root-100", "select": "MuiSelect-select-101", "selectMenu": "MuiSelect-selectMenu-104", }, "displayEmpty": false, "multiple": false, "onClose": undefined, "onOpen": undefined, "open": undefined, "renderValue": undefined, "type": undefined, "variant": "standard", } } multiline={false} onChange={[Function]} type="text" value={10} > <InputBase classes={ Object { "adornedEnd": "MuiInputBase-adornedEnd-41", "adornedStart": "MuiInputBase-adornedStart-40", "disabled": "MuiInputBase-disabled-39 MuiInput-disabled-110", "error": "MuiInputBase-error-42 MuiInput-error-112", "focused": "MuiInputBase-focused-38 MuiInput-focused-109", "formControl": "MuiInputBase-formControl-37 MuiInput-formControl-108", "fullWidth": "MuiInputBase-fullWidth-45 MuiInput-fullWidth-114", "input": "MuiInputBase-input-46 MuiInput-input-115", "inputAdornedEnd": "MuiInputBase-inputAdornedEnd-52", "inputAdornedStart": "MuiInputBase-inputAdornedStart-51", "inputMarginDense": "MuiInputBase-inputMarginDense-47 MuiInput-inputMarginDense-116", "inputMultiline": "MuiInputBase-inputMultiline-48 MuiInput-inputMultiline-117", "inputType": "MuiInputBase-inputType-49 MuiInput-inputType-118", "inputTypeSearch": "MuiInputBase-inputTypeSearch-50 MuiInput-inputTypeSearch-119", "marginDense": "MuiInputBase-marginDense-43", "multiline": "MuiInputBase-multiline-44 MuiInput-multiline-113", "root": "MuiInputBase-root-36 MuiInput-root-107", } } fullWidth={false} inputComponent={[Function]} inputProps={ Object { "IconComponent": [Function], "MenuProps": undefined, "SelectDisplayProps": undefined, "autoWidth": false, "children": Array [ <WithStyles(MenuItem) value={10} > 10 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={20} > 20 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={50} > 50 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={100} > 100 </WithStyles(MenuItem)>, ], "classes": Object { "disabled": "MuiSelect-disabled-105", "filled": "MuiSelect-filled-102", "icon": "MuiSelect-icon-106", "outlined": "MuiSelect-outlined-103", "root": "MuiSelect-root-100", "select": "MuiSelect-select-101", "selectMenu": "MuiSelect-selectMenu-104", }, "displayEmpty": false, "multiple": false, "onClose": undefined, "onOpen": undefined, "open": undefined, "renderValue": undefined, "type": undefined, "variant": "standard", } } muiFormControl={ Object { "adornedStart": false, "disabled": false, "error": false, "filled": true, "focused": false, "margin": "none", "onBlur": [Function], "onEmpty": [Function], "onFilled": [Function], "onFocus": [Function], "required": false, "variant": "standard", } } multiline={false} onChange={[Function]} type="text" value={10} > <div className="MuiInputBase-root-36 MuiInput-root-107 MuiInputBase-formControl-37 MuiInput-formControl-108" onClick={[Function]} > <SelectInput IconComponent={[Function]} aria-invalid={false} autoWidth={false} className="MuiInputBase-input-46 MuiInput-input-115" classes={ Object { "disabled": "MuiSelect-disabled-105", "filled": "MuiSelect-filled-102", "icon": "MuiSelect-icon-106", "outlined": "MuiSelect-outlined-103", "root": "MuiSelect-root-100", "select": "MuiSelect-select-101", "selectMenu": "MuiSelect-selectMenu-104", } } disabled={false} displayEmpty={false} inputRef={[Function]} multiple={false} onBlur={[Function]} onChange={[Function]} onFocus={[Function]} required={false} value={10} variant="standard" > <div className="MuiSelect-root-100" > <div aria-haspopup="true" aria-pressed="false" className="MuiSelect-select-101 MuiSelect-selectMenu-104 MuiInputBase-input-46 MuiInput-input-115" onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onKeyDown={[Function]} role="button" tabIndex={0} > 10 </div> <input type="hidden" value={10} /> <pure(ArrowDropDown) className="MuiSelect-icon-106" > <ArrowDropDown className="MuiSelect-icon-106" > <WithStyles(SvgIcon) className="MuiSelect-icon-106" > <SvgIcon className="MuiSelect-icon-106" classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59 MuiSelect-icon-106" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M7 10l5 5 5-5z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ArrowDropDown> </pure(ArrowDropDown)> <WithStyles(Menu) MenuListProps={ Object { "role": "listbox", } } PaperProps={ Object { "style": Object { "minWidth": null, }, } } anchorEl={ <div aria-haspopup="true" aria-pressed="false" class="MuiSelect-select-101 MuiSelect-selectMenu-104 MuiInputBase-input-46 MuiInput-input-115" role="button" tabindex="0" > 10 </div> } id="menu-" onClose={[Function]} open={false} > <Menu MenuListProps={ Object { "role": "listbox", } } PaperProps={ Object { "style": Object { "minWidth": null, }, } } anchorEl={ <div aria-haspopup="true" aria-pressed="false" class="MuiSelect-select-101 MuiSelect-selectMenu-104 MuiInputBase-input-46 MuiInput-input-115" role="button" tabindex="0" > 10 </div> } classes={ Object { "paper": "MuiMenu-paper-120", } } disableAutoFocusItem={false} id="menu-" onClose={[Function]} open={false} theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } transitionDuration="auto" > <WithStyles(Popover) PaperProps={ Object { "classes": Object { "root": "MuiMenu-paper-120", }, "style": Object { "minWidth": null, }, } } anchorEl={ <div aria-haspopup="true" aria-pressed="false" class="MuiSelect-select-101 MuiSelect-selectMenu-104 MuiInputBase-input-46 MuiInput-input-115" role="button" tabindex="0" > 10 </div> } anchorOrigin={ Object { "horizontal": "left", "vertical": "top", } } getContentAnchorEl={[Function]} id="menu-" onClose={[Function]} onEntering={[Function]} open={false} transformOrigin={ Object { "horizontal": "left", "vertical": "top", } } transitionDuration="auto" > <Popover PaperProps={ Object { "classes": Object { "root": "MuiMenu-paper-120", }, "style": Object { "minWidth": null, }, } } TransitionComponent={[Function]} anchorEl={ <div aria-haspopup="true" aria-pressed="false" class="MuiSelect-select-101 MuiSelect-selectMenu-104 MuiInputBase-input-46 MuiInput-input-115" role="button" tabindex="0" > 10 </div> } anchorOrigin={ Object { "horizontal": "left", "vertical": "top", } } anchorReference="anchorEl" classes={ Object { "paper": "MuiPopover-paper-121", } } elevation={8} getContentAnchorEl={[Function]} id="menu-" marginThreshold={16} onClose={[Function]} onEntering={[Function]} open={false} transformOrigin={ Object { "horizontal": "left", "vertical": "top", } } transitionDuration="auto" > <WithStyles(Modal) BackdropProps={ Object { "invisible": true, } } container={<body />} id="menu-" onClose={[Function]} open={false} > <Modal BackdropComponent={[Function]} BackdropProps={ Object { "invisible": true, } } classes={ Object { "hidden": "MuiModal-hidden-123", "root": "MuiModal-root-122", } } container={<body />} disableAutoFocus={false} disableBackdropClick={false} disableEnforceFocus={false} disableEscapeKeyDown={false} disablePortal={false} disableRestoreFocus={false} hideBackdrop={false} id="menu-" keepMounted={false} manager={ ModalManager { "data": Array [], "handleContainerOverflow": true, "hideSiblingNodes": true, "modals": Array [], } } onClose={[Function]} open={false} /> </WithStyles(Modal)> </Popover> </WithStyles(Popover)> </Menu> </WithStyles(Menu)> </div> </SelectInput> </div> </InputBase> </WithFormControlContext(InputBase)> </WithStyles(WithFormControlContext(InputBase))> </Input> </WithStyles(Input)> </Select> </WithFormControlContext(Select)> </WithStyles(WithFormControlContext(Select))> </div> </FormControl> </WithStyles(FormControl)> </TextField> <WithStyles(IconButton) disabled={true} onClick={[Function]} > <IconButton classes={ Object { "colorInherit": "MuiIconButton-colorInherit-79", "colorPrimary": "MuiIconButton-colorPrimary-80", "colorSecondary": "MuiIconButton-colorSecondary-81", "disabled": "MuiIconButton-disabled-82", "label": "MuiIconButton-label-83", "root": "MuiIconButton-root-78", } } color="default" disabled={true} onClick={[Function]} > <WithStyles(ButtonBase) centerRipple={true} className="MuiIconButton-root-78 MuiIconButton-disabled-82" disabled={true} focusRipple={true} onClick={[Function]} > <ButtonBase centerRipple={true} className="MuiIconButton-root-78 MuiIconButton-disabled-82" classes={ Object { "disabled": "MuiButtonBase-disabled-85", "focusVisible": "MuiButtonBase-focusVisible-86", "root": "MuiButtonBase-root-84", } } component="button" disableRipple={false} disableTouchRipple={false} disabled={true} focusRipple={true} onClick={[Function]} tabIndex="0" type="button" > <button className="MuiButtonBase-root-84 MuiButtonBase-disabled-85 MuiIconButton-root-78 MuiIconButton-disabled-82" disabled={true} onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} tabIndex="-1" type="button" > <span className="MuiIconButton-label-83" > <pure(ChevronLeftIcon)> <ChevronLeftIcon> <WithStyles(SvgIcon)> <SvgIcon classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M15.41 7.41L14 6l-6 6 6 6 1.41-1.41L10.83 12z" /> <path d="M0 0h24v24H0z" fill="none" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ChevronLeftIcon> </pure(ChevronLeftIcon)> </span> </button> </ButtonBase> </WithStyles(ButtonBase)> </IconButton> </WithStyles(IconButton)> <WithStyles(IconButton) disabled={true} onClick={[Function]} > <IconButton classes={ Object { "colorInherit": "MuiIconButton-colorInherit-79", "colorPrimary": "MuiIconButton-colorPrimary-80", "colorSecondary": "MuiIconButton-colorSecondary-81", "disabled": "MuiIconButton-disabled-82", "label": "MuiIconButton-label-83", "root": "MuiIconButton-root-78", } } color="default" disabled={true} onClick={[Function]} > <WithStyles(ButtonBase) centerRipple={true} className="MuiIconButton-root-78 MuiIconButton-disabled-82" disabled={true} focusRipple={true} onClick={[Function]} > <ButtonBase centerRipple={true} className="MuiIconButton-root-78 MuiIconButton-disabled-82" classes={ Object { "disabled": "MuiButtonBase-disabled-85", "focusVisible": "MuiButtonBase-focusVisible-86", "root": "MuiButtonBase-root-84", } } component="button" disableRipple={false} disableTouchRipple={false} disabled={true} focusRipple={true} onClick={[Function]} tabIndex="0" type="button" > <button className="MuiButtonBase-root-84 MuiButtonBase-disabled-85 MuiIconButton-root-78 MuiIconButton-disabled-82" disabled={true} onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} tabIndex="-1" type="button" > <span className="MuiIconButton-label-83" > <pure(ChevronRightIcon)> <ChevronRightIcon> <WithStyles(SvgIcon)> <SvgIcon classes={ Object { "colorAction": "MuiSvgIcon-colorAction-62", "colorDisabled": "MuiSvgIcon-colorDisabled-64", "colorError": "MuiSvgIcon-colorError-63", "colorPrimary": "MuiSvgIcon-colorPrimary-60", "colorSecondary": "MuiSvgIcon-colorSecondary-61", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-65", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-67", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-66", "root": "MuiSvgIcon-root-59", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-59" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M10 6L8.59 7.41 13.17 12l-4.58 4.59L10 18l6-6z" /> <path d="M0 0h24v24H0z" fill="none" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ChevronRightIcon> </pure(ChevronRightIcon)> </span> </button> </ButtonBase> </WithStyles(ButtonBase)> </IconButton> </WithStyles(IconButton)> </div> </div> </CustomTable> </div> </PipelineVersionList> `; exports[`PipelineVersionList calls Apis to list pipeline versions, sorted by pipeline version name in descending order 1`] = ` <PipelineVersionList history={Object {}} location={ Object { "search": "", } } match="" onError={[MockFunction]} pipelineId="pipeline" > <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipeline versions found." initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "id": "test-pipeline-version-id0", "otherFields": Array [ "test pipeline version name0", "-", ], }, Object { "id": "test-pipeline-version-id1", "otherFields": Array [ "test pipeline version name1", "-", ], }, Object { "id": "test-pipeline-version-id2", "otherFields": Array [ "test pipeline version name2", "-", ], }, ] } > <div className="pageOverflowHidden" > <div> <Input InputLabelProps={ Object { "classes": Object { "root": "noMargin", }, } } InputProps={ Object { "classes": Object { "notchedOutline": "filterBorderRadius", "root": "noLeftPadding", }, "startAdornment": <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)>, } } className="filterBox" height={48} id="tableFilterBox" label="Filter" maxWidth="100%" onChange={[Function]} value="" variant="outlined" > <TextField InputLabelProps={ Object { "classes": Object { "root": "noMargin", }, } } InputProps={ Object { "classes": Object { "notchedOutline": "filterBorderRadius", "root": "noLeftPadding", }, "startAdornment": <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)>, } } className="filterBox" id="tableFilterBox" label="Filter" onChange={[Function]} required={false} select={false} spellCheck={false} style={ Object { "height": 48, "maxWidth": "100%", "width": "100%", } } value="" variant="outlined" > <WithStyles(FormControl) className="filterBox" required={false} spellCheck={false} style={ Object { "height": 48, "maxWidth": "100%", "width": "100%", } } variant="outlined" > <FormControl className="filterBox" classes={ Object { "fullWidth": "MuiFormControl-fullWidth-144", "marginDense": "MuiFormControl-marginDense-143", "marginNormal": "MuiFormControl-marginNormal-142", "root": "MuiFormControl-root-141", } } component="div" disabled={false} error={false} fullWidth={false} margin="none" required={false} spellCheck={false} style={ Object { "height": 48, "maxWidth": "100%", "width": "100%", } } variant="outlined" > <div className="MuiFormControl-root-141 filterBox" spellCheck={false} style={ Object { "height": 48, "maxWidth": "100%", "width": "100%", } } > <WithStyles(WithFormControlContext(InputLabel)) classes={ Object { "root": "noMargin", } } htmlFor="tableFilterBox" > <WithFormControlContext(InputLabel) classes={ Object { "animated": "MuiInputLabel-animated-153", "disabled": "MuiInputLabel-disabled-147", "error": "MuiInputLabel-error-148", "filled": "MuiInputLabel-filled-154", "focused": "MuiInputLabel-focused-146", "formControl": "MuiInputLabel-formControl-150", "marginDense": "MuiInputLabel-marginDense-151", "outlined": "MuiInputLabel-outlined-155", "required": "MuiInputLabel-required-149", "root": "MuiInputLabel-root-145 noMargin", "shrink": "MuiInputLabel-shrink-152", } } htmlFor="tableFilterBox" > <InputLabel classes={ Object { "animated": "MuiInputLabel-animated-153", "disabled": "MuiInputLabel-disabled-147", "error": "MuiInputLabel-error-148", "filled": "MuiInputLabel-filled-154", "focused": "MuiInputLabel-focused-146", "formControl": "MuiInputLabel-formControl-150", "marginDense": "MuiInputLabel-marginDense-151", "outlined": "MuiInputLabel-outlined-155", "required": "MuiInputLabel-required-149", "root": "MuiInputLabel-root-145 noMargin", "shrink": "MuiInputLabel-shrink-152", } } disableAnimation={false} htmlFor="tableFilterBox" muiFormControl={ Object { "adornedStart": true, "disabled": false, "error": false, "filled": false, "focused": false, "margin": "none", "onBlur": [Function], "onEmpty": [Function], "onFilled": [Function], "onFocus": [Function], "required": false, "variant": "outlined", } } > <WithStyles(WithFormControlContext(FormLabel)) className="MuiInputLabel-root-145 noMargin MuiInputLabel-formControl-150 MuiInputLabel-animated-153 MuiInputLabel-shrink-152 MuiInputLabel-outlined-155" classes={ Object { "disabled": "MuiInputLabel-disabled-147", "error": "MuiInputLabel-error-148", "focused": "MuiInputLabel-focused-146", "required": "MuiInputLabel-required-149", } } data-shrink={true} htmlFor="tableFilterBox" > <WithFormControlContext(FormLabel) className="MuiInputLabel-root-145 noMargin MuiInputLabel-formControl-150 MuiInputLabel-animated-153 MuiInputLabel-shrink-152 MuiInputLabel-outlined-155" classes={ Object { "asterisk": "MuiFormLabel-asterisk-162", "disabled": "MuiFormLabel-disabled-158 MuiInputLabel-disabled-147", "error": "MuiFormLabel-error-159 MuiInputLabel-error-148", "filled": "MuiFormLabel-filled-160", "focused": "MuiFormLabel-focused-157 MuiInputLabel-focused-146", "required": "MuiFormLabel-required-161 MuiInputLabel-required-149", "root": "MuiFormLabel-root-156", } } data-shrink={true} htmlFor="tableFilterBox" > <FormLabel className="MuiInputLabel-root-145 noMargin MuiInputLabel-formControl-150 MuiInputLabel-animated-153 MuiInputLabel-shrink-152 MuiInputLabel-outlined-155" classes={ Object { "asterisk": "MuiFormLabel-asterisk-162", "disabled": "MuiFormLabel-disabled-158 MuiInputLabel-disabled-147", "error": "MuiFormLabel-error-159 MuiInputLabel-error-148", "filled": "MuiFormLabel-filled-160", "focused": "MuiFormLabel-focused-157 MuiInputLabel-focused-146", "required": "MuiFormLabel-required-161 MuiInputLabel-required-149", "root": "MuiFormLabel-root-156", } } component="label" data-shrink={true} htmlFor="tableFilterBox" muiFormControl={ Object { "adornedStart": true, "disabled": false, "error": false, "filled": false, "focused": false, "margin": "none", "onBlur": [Function], "onEmpty": [Function], "onFilled": [Function], "onFocus": [Function], "required": false, "variant": "outlined", } } > <label className="MuiFormLabel-root-156 MuiInputLabel-root-145 noMargin MuiInputLabel-formControl-150 MuiInputLabel-animated-153 MuiInputLabel-shrink-152 MuiInputLabel-outlined-155" data-shrink={true} htmlFor="tableFilterBox" > Filter </label> </FormLabel> </WithFormControlContext(FormLabel)> </WithStyles(WithFormControlContext(FormLabel))> </InputLabel> </WithFormControlContext(InputLabel)> </WithStyles(WithFormControlContext(InputLabel))> <WithStyles(OutlinedInput) classes={ Object { "notchedOutline": "filterBorderRadius", "root": "noLeftPadding", } } id="tableFilterBox" labelWidth={0} onChange={[Function]} startAdornment={ <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)> } value="" > <OutlinedInput classes={ Object { "adornedEnd": "MuiOutlinedInput-adornedEnd-167", "adornedStart": "MuiOutlinedInput-adornedStart-166", "disabled": "MuiOutlinedInput-disabled-165", "error": "MuiOutlinedInput-error-168", "focused": "MuiOutlinedInput-focused-164", "input": "MuiOutlinedInput-input-171", "inputAdornedEnd": "MuiOutlinedInput-inputAdornedEnd-175", "inputAdornedStart": "MuiOutlinedInput-inputAdornedStart-174", "inputMarginDense": "MuiOutlinedInput-inputMarginDense-172", "inputMultiline": "MuiOutlinedInput-inputMultiline-173", "multiline": "MuiOutlinedInput-multiline-169", "notchedOutline": "MuiOutlinedInput-notchedOutline-170 filterBorderRadius", "root": "MuiOutlinedInput-root-163 noLeftPadding", } } id="tableFilterBox" labelWidth={0} onChange={[Function]} startAdornment={ <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)> } value="" > <WithStyles(WithFormControlContext(InputBase)) classes={ Object { "adornedEnd": "MuiOutlinedInput-adornedEnd-167", "adornedStart": "MuiOutlinedInput-adornedStart-166", "disabled": "MuiOutlinedInput-disabled-165", "error": "MuiOutlinedInput-error-168", "focused": "MuiOutlinedInput-focused-164", "input": "MuiOutlinedInput-input-171", "inputAdornedEnd": "MuiOutlinedInput-inputAdornedEnd-175", "inputAdornedStart": "MuiOutlinedInput-inputAdornedStart-174", "inputMarginDense": "MuiOutlinedInput-inputMarginDense-172", "inputMultiline": "MuiOutlinedInput-inputMultiline-173", "multiline": "MuiOutlinedInput-multiline-169", "notchedOutline": null, "root": "MuiOutlinedInput-root-163 noLeftPadding", } } fullWidth={false} id="tableFilterBox" inputComponent="input" multiline={false} onChange={[Function]} renderPrefix={[Function]} startAdornment={ <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)> } type="text" value="" > <WithFormControlContext(InputBase) classes={ Object { "adornedEnd": "MuiInputBase-adornedEnd-181 MuiOutlinedInput-adornedEnd-167", "adornedStart": "MuiInputBase-adornedStart-180 MuiOutlinedInput-adornedStart-166", "disabled": "MuiInputBase-disabled-179 MuiOutlinedInput-disabled-165", "error": "MuiInputBase-error-182 MuiOutlinedInput-error-168", "focused": "MuiInputBase-focused-178 MuiOutlinedInput-focused-164", "formControl": "MuiInputBase-formControl-177", "fullWidth": "MuiInputBase-fullWidth-185", "input": "MuiInputBase-input-186 MuiOutlinedInput-input-171", "inputAdornedEnd": "MuiInputBase-inputAdornedEnd-192 MuiOutlinedInput-inputAdornedEnd-175", "inputAdornedStart": "MuiInputBase-inputAdornedStart-191 MuiOutlinedInput-inputAdornedStart-174", "inputMarginDense": "MuiInputBase-inputMarginDense-187 MuiOutlinedInput-inputMarginDense-172", "inputMultiline": "MuiInputBase-inputMultiline-188 MuiOutlinedInput-inputMultiline-173", "inputType": "MuiInputBase-inputType-189", "inputTypeSearch": "MuiInputBase-inputTypeSearch-190", "marginDense": "MuiInputBase-marginDense-183", "multiline": "MuiInputBase-multiline-184 MuiOutlinedInput-multiline-169", "root": "MuiInputBase-root-176 MuiOutlinedInput-root-163 noLeftPadding", } } fullWidth={false} id="tableFilterBox" inputComponent="input" multiline={false} onChange={[Function]} renderPrefix={[Function]} startAdornment={ <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)> } type="text" value="" > <InputBase classes={ Object { "adornedEnd": "MuiInputBase-adornedEnd-181 MuiOutlinedInput-adornedEnd-167", "adornedStart": "MuiInputBase-adornedStart-180 MuiOutlinedInput-adornedStart-166", "disabled": "MuiInputBase-disabled-179 MuiOutlinedInput-disabled-165", "error": "MuiInputBase-error-182 MuiOutlinedInput-error-168", "focused": "MuiInputBase-focused-178 MuiOutlinedInput-focused-164", "formControl": "MuiInputBase-formControl-177", "fullWidth": "MuiInputBase-fullWidth-185", "input": "MuiInputBase-input-186 MuiOutlinedInput-input-171", "inputAdornedEnd": "MuiInputBase-inputAdornedEnd-192 MuiOutlinedInput-inputAdornedEnd-175", "inputAdornedStart": "MuiInputBase-inputAdornedStart-191 MuiOutlinedInput-inputAdornedStart-174", "inputMarginDense": "MuiInputBase-inputMarginDense-187 MuiOutlinedInput-inputMarginDense-172", "inputMultiline": "MuiInputBase-inputMultiline-188 MuiOutlinedInput-inputMultiline-173", "inputType": "MuiInputBase-inputType-189", "inputTypeSearch": "MuiInputBase-inputTypeSearch-190", "marginDense": "MuiInputBase-marginDense-183", "multiline": "MuiInputBase-multiline-184 MuiOutlinedInput-multiline-169", "root": "MuiInputBase-root-176 MuiOutlinedInput-root-163 noLeftPadding", } } fullWidth={false} id="tableFilterBox" inputComponent="input" muiFormControl={ Object { "adornedStart": true, "disabled": false, "error": false, "filled": false, "focused": false, "margin": "none", "onBlur": [Function], "onEmpty": [Function], "onFilled": [Function], "onFocus": [Function], "required": false, "variant": "outlined", } } multiline={false} onChange={[Function]} renderPrefix={[Function]} startAdornment={ <WithStyles(InputAdornment) position="end" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } /> </WithStyles(InputAdornment)> } type="text" value="" > <div className="MuiInputBase-root-176 MuiOutlinedInput-root-163 noLeftPadding MuiInputBase-formControl-177 MuiInputBase-adornedStart-180 MuiOutlinedInput-adornedStart-166" onClick={[Function]} > <WithStyles(NotchedOutline) className="MuiOutlinedInput-notchedOutline-170 filterBorderRadius" labelWidth={0} notched={true} > <NotchedOutline className="MuiOutlinedInput-notchedOutline-170 filterBorderRadius" classes={ Object { "legend": "MuiPrivateNotchedOutline-legend-194", "root": "MuiPrivateNotchedOutline-root-193", } } labelWidth={0} notched={true} theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } > <fieldset aria-hidden={true} className="MuiPrivateNotchedOutline-root-193 MuiOutlinedInput-notchedOutline-170 filterBorderRadius" style={ Object { "paddingLeft": 8, } } > <legend className="MuiPrivateNotchedOutline-legend-194" style={ Object { "width": 0, } } > <span dangerouslySetInnerHTML={ Object { "__html": "&#8203;", } } /> </legend> </fieldset> </NotchedOutline> </WithStyles(NotchedOutline)> <WithStyles(InputAdornment) position="end" > <InputAdornment classes={ Object { "filled": "MuiInputAdornment-filled-196", "positionEnd": "MuiInputAdornment-positionEnd-198", "positionStart": "MuiInputAdornment-positionStart-197", "root": "MuiInputAdornment-root-195", } } component="div" disableTypography={false} position="end" > <div className="MuiInputAdornment-root-195 MuiInputAdornment-positionEnd-198" > <pure(FilterListIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } > <FilterListIcon style={ Object { "color": "#80868b", "paddingRight": 16, } } > <WithStyles(SvgIcon) style={ Object { "color": "#80868b", "paddingRight": 16, } } > <SvgIcon classes={ Object { "colorAction": "MuiSvgIcon-colorAction-202", "colorDisabled": "MuiSvgIcon-colorDisabled-204", "colorError": "MuiSvgIcon-colorError-203", "colorPrimary": "MuiSvgIcon-colorPrimary-200", "colorSecondary": "MuiSvgIcon-colorSecondary-201", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-205", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-207", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-206", "root": "MuiSvgIcon-root-199", } } color="inherit" component="svg" fontSize="default" style={ Object { "color": "#80868b", "paddingRight": 16, } } viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-199" focusable="false" role="presentation" style={ Object { "color": "#80868b", "paddingRight": 16, } } viewBox="0 0 24 24" > <path d="M10 18h4v-2h-4v2zM3 6v2h18V6H3zm3 7h12v-2H6v2z" /> <path d="M0 0h24v24H0z" fill="none" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </FilterListIcon> </pure(FilterListIcon)> </div> </InputAdornment> </WithStyles(InputAdornment)> <input aria-invalid={false} className="MuiInputBase-input-186 MuiOutlinedInput-input-171 MuiInputBase-inputAdornedStart-191 MuiOutlinedInput-inputAdornedStart-174" disabled={false} id="tableFilterBox" onBlur={[Function]} onChange={[Function]} onFocus={[Function]} required={false} type="text" value="" /> </div> </InputBase> </WithFormControlContext(InputBase)> </WithStyles(WithFormControlContext(InputBase))> </OutlinedInput> </WithStyles(OutlinedInput)> </div> </FormControl> </WithStyles(FormControl)> </TextField> </Input> </div> <div className="header" > <div className="columnName cell selectionToggle" > <WithStyles(Checkbox) checked={false} color="primary" indeterminate={false} onChange={[Function]} > <Checkbox checked={false} checkedIcon={<pure(CheckBox) />} classes={ Object { "checked": "MuiCheckbox-checked-209", "colorPrimary": "MuiCheckbox-colorPrimary-212", "colorSecondary": "MuiCheckbox-colorSecondary-213", "disabled": "MuiCheckbox-disabled-210", "indeterminate": "MuiCheckbox-indeterminate-211", "root": "MuiCheckbox-root-208", } } color="primary" icon={<pure(CheckBoxOutlineBlank) />} indeterminate={false} indeterminateIcon={<pure(IndeterminateCheckBox) />} onChange={[Function]} > <WithStyles(WithFormControlContext(SwitchBase)) checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiCheckbox-checked-209", "disabled": "MuiCheckbox-disabled-210", "root": "MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } onChange={[Function]} type="checkbox" > <WithFormControlContext(SwitchBase) checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiPrivateSwitchBase-checked-215 MuiCheckbox-checked-209", "disabled": "MuiPrivateSwitchBase-disabled-216 MuiCheckbox-disabled-210", "input": "MuiPrivateSwitchBase-input-217", "root": "MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } onChange={[Function]} type="checkbox" > <SwitchBase checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiPrivateSwitchBase-checked-215 MuiCheckbox-checked-209", "disabled": "MuiPrivateSwitchBase-disabled-216 MuiCheckbox-disabled-210", "input": "MuiPrivateSwitchBase-input-217", "root": "MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } onChange={[Function]} type="checkbox" > <WithStyles(IconButton) className="MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" component="span" onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <IconButton className="MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" classes={ Object { "colorInherit": "MuiIconButton-colorInherit-219", "colorPrimary": "MuiIconButton-colorPrimary-220", "colorSecondary": "MuiIconButton-colorSecondary-221", "disabled": "MuiIconButton-disabled-222", "label": "MuiIconButton-label-223", "root": "MuiIconButton-root-218", } } color="default" component="span" disabled={false} onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <WithStyles(ButtonBase) centerRipple={true} className="MuiIconButton-root-218 MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" component="span" disabled={false} focusRipple={true} onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <ButtonBase centerRipple={true} className="MuiIconButton-root-218 MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" classes={ Object { "disabled": "MuiButtonBase-disabled-225", "focusVisible": "MuiButtonBase-focusVisible-226", "root": "MuiButtonBase-root-224", } } component="span" disableRipple={false} disableTouchRipple={false} disabled={false} focusRipple={true} onBlur={[Function]} onFocus={[Function]} tabIndex={null} type="button" > <span className="MuiButtonBase-root-224 MuiIconButton-root-218 MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" onBlur={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} tabIndex={null} > <span className="MuiIconButton-label-223" > <pure(CheckBoxOutlineBlank)> <CheckBoxOutlineBlank> <WithStyles(SvgIcon)> <SvgIcon classes={ Object { "colorAction": "MuiSvgIcon-colorAction-202", "colorDisabled": "MuiSvgIcon-colorDisabled-204", "colorError": "MuiSvgIcon-colorError-203", "colorPrimary": "MuiSvgIcon-colorPrimary-200", "colorSecondary": "MuiSvgIcon-colorSecondary-201", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-205", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-207", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-206", "root": "MuiSvgIcon-root-199", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-199" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M19 5v14H5V5h14m0-2H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </CheckBoxOutlineBlank> </pure(CheckBoxOutlineBlank)> <input checked={false} className="MuiPrivateSwitchBase-input-217" data-indeterminate={false} onChange={[Function]} type="checkbox" /> </span> <NoSsr defer={false} fallback={null} > <WithStyles(TouchRipple) center={true} innerRef={[Function]} > <TouchRipple center={true} classes={ Object { "child": "MuiTouchRipple-child-268", "childLeaving": "MuiTouchRipple-childLeaving-269", "childPulsate": "MuiTouchRipple-childPulsate-270", "ripple": "MuiTouchRipple-ripple-265", "ripplePulsate": "MuiTouchRipple-ripplePulsate-267", "rippleVisible": "MuiTouchRipple-rippleVisible-266", "root": "MuiTouchRipple-root-264", } } > <TransitionGroup childFactory={[Function]} className="MuiTouchRipple-root-264" component="span" enter={true} exit={true} > <span className="MuiTouchRipple-root-264" /> </TransitionGroup> </TouchRipple> </WithStyles(TouchRipple)> </NoSsr> </span> </ButtonBase> </WithStyles(ButtonBase)> </IconButton> </WithStyles(IconButton)> </SwitchBase> </WithFormControlContext(SwitchBase)> </WithStyles(WithFormControlContext(SwitchBase))> </Checkbox> </WithStyles(Checkbox)> </div> <div className="columnName" key="0" style={ Object { "width": "66.66666666666666%", } } title="Version name" > <WithStyles(Tooltip) enterDelay={300} title="Sort" > <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-227", "popperInteractive": "MuiTooltip-popperInteractive-228", "tooltip": "MuiTooltip-tooltip-229", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-234", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-231", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-232", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-233", "touch": "MuiTooltip-touch-230", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={300} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title="Sort" > <RootRef rootRef={[Function]} > <WithStyles(TableSortLabel) active={false} aria-describedby={null} className="ellipsis" direction="desc" onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Sort" > <TableSortLabel IconComponent={[Function]} active={false} aria-describedby={null} className="ellipsis" classes={ Object { "active": "MuiTableSortLabel-active-236", "icon": "MuiTableSortLabel-icon-237", "iconDirectionAsc": "MuiTableSortLabel-iconDirectionAsc-239", "iconDirectionDesc": "MuiTableSortLabel-iconDirectionDesc-238", "root": "MuiTableSortLabel-root-235", } } direction="desc" hideSortIcon={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Sort" > <WithStyles(ButtonBase) aria-describedby={null} className="MuiTableSortLabel-root-235 ellipsis" component="span" disableRipple={true} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Sort" > <ButtonBase aria-describedby={null} centerRipple={false} className="MuiTableSortLabel-root-235 ellipsis" classes={ Object { "disabled": "MuiButtonBase-disabled-225", "focusVisible": "MuiButtonBase-focusVisible-226", "root": "MuiButtonBase-root-224", } } component="span" disableRipple={true} disableTouchRipple={false} focusRipple={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} tabIndex="0" title="Sort" type="button" > <span aria-describedby={null} className="MuiButtonBase-root-224 MuiTableSortLabel-root-235 ellipsis" onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} role="button" tabIndex="0" title="Sort" > Version name <pure(ArrowDownward) className="MuiTableSortLabel-icon-237 MuiTableSortLabel-iconDirectionDesc-238" > <ArrowDownward className="MuiTableSortLabel-icon-237 MuiTableSortLabel-iconDirectionDesc-238" > <WithStyles(SvgIcon) className="MuiTableSortLabel-icon-237 MuiTableSortLabel-iconDirectionDesc-238" > <SvgIcon className="MuiTableSortLabel-icon-237 MuiTableSortLabel-iconDirectionDesc-238" classes={ Object { "colorAction": "MuiSvgIcon-colorAction-202", "colorDisabled": "MuiSvgIcon-colorDisabled-204", "colorError": "MuiSvgIcon-colorError-203", "colorPrimary": "MuiSvgIcon-colorPrimary-200", "colorSecondary": "MuiSvgIcon-colorSecondary-201", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-205", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-207", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-206", "root": "MuiSvgIcon-root-199", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-199 MuiTableSortLabel-icon-237 MuiTableSortLabel-iconDirectionDesc-238" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ArrowDownward> </pure(ArrowDownward)> </span> </ButtonBase> </WithStyles(ButtonBase)> </TableSortLabel> </WithStyles(TableSortLabel)> </RootRef> <Popper anchorEl={ <span class="MuiButtonBase-root-224 MuiTableSortLabel-root-235 ellipsis" role="button" tabindex="0" title="Sort" > Version name <svg aria-hidden="true" class="MuiSvgIcon-root-199 MuiTableSortLabel-icon-237 MuiTableSortLabel-iconDirectionDesc-238" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </span> } className="MuiTooltip-popper-227" disablePortal={false} id={null} open={false} placement="bottom" transition={true} /> </Tooltip> </WithStyles(Tooltip)> </div> <div className="columnName" key="1" style={ Object { "width": "33.33333333333333%", } } title="Uploaded on" > <WithStyles(Tooltip) enterDelay={300} title="Sort" > <Tooltip TransitionComponent={[Function]} classes={ Object { "popper": "MuiTooltip-popper-227", "popperInteractive": "MuiTooltip-popperInteractive-228", "tooltip": "MuiTooltip-tooltip-229", "tooltipPlacementBottom": "MuiTooltip-tooltipPlacementBottom-234", "tooltipPlacementLeft": "MuiTooltip-tooltipPlacementLeft-231", "tooltipPlacementRight": "MuiTooltip-tooltipPlacementRight-232", "tooltipPlacementTop": "MuiTooltip-tooltipPlacementTop-233", "touch": "MuiTooltip-touch-230", } } disableFocusListener={false} disableHoverListener={false} disableTouchListener={false} enterDelay={300} enterTouchDelay={1000} interactive={false} leaveDelay={0} leaveTouchDelay={1500} placement="bottom" theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } title="Sort" > <RootRef rootRef={[Function]} > <WithStyles(TableSortLabel) active={true} aria-describedby={null} className="ellipsis" direction="desc" onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Sort" > <TableSortLabel IconComponent={[Function]} active={true} aria-describedby={null} className="ellipsis" classes={ Object { "active": "MuiTableSortLabel-active-236", "icon": "MuiTableSortLabel-icon-237", "iconDirectionAsc": "MuiTableSortLabel-iconDirectionAsc-239", "iconDirectionDesc": "MuiTableSortLabel-iconDirectionDesc-238", "root": "MuiTableSortLabel-root-235", } } direction="desc" hideSortIcon={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Sort" > <WithStyles(ButtonBase) aria-describedby={null} className="MuiTableSortLabel-root-235 MuiTableSortLabel-active-236 ellipsis" component="span" disableRipple={true} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} title="Sort" > <ButtonBase aria-describedby={null} centerRipple={false} className="MuiTableSortLabel-root-235 MuiTableSortLabel-active-236 ellipsis" classes={ Object { "disabled": "MuiButtonBase-disabled-225", "focusVisible": "MuiButtonBase-focusVisible-226", "root": "MuiButtonBase-root-224", } } component="span" disableRipple={true} disableTouchRipple={false} focusRipple={false} onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onTouchEnd={[Function]} onTouchStart={[Function]} tabIndex="0" title="Sort" type="button" > <span aria-describedby={null} className="MuiButtonBase-root-224 MuiTableSortLabel-root-235 MuiTableSortLabel-active-236 ellipsis" onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseOver={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} role="button" tabIndex="0" title="Sort" > Uploaded on <pure(ArrowDownward) className="MuiTableSortLabel-icon-237 MuiTableSortLabel-iconDirectionDesc-238" > <ArrowDownward className="MuiTableSortLabel-icon-237 MuiTableSortLabel-iconDirectionDesc-238" > <WithStyles(SvgIcon) className="MuiTableSortLabel-icon-237 MuiTableSortLabel-iconDirectionDesc-238" > <SvgIcon className="MuiTableSortLabel-icon-237 MuiTableSortLabel-iconDirectionDesc-238" classes={ Object { "colorAction": "MuiSvgIcon-colorAction-202", "colorDisabled": "MuiSvgIcon-colorDisabled-204", "colorError": "MuiSvgIcon-colorError-203", "colorPrimary": "MuiSvgIcon-colorPrimary-200", "colorSecondary": "MuiSvgIcon-colorSecondary-201", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-205", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-207", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-206", "root": "MuiSvgIcon-root-199", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-199 MuiTableSortLabel-icon-237 MuiTableSortLabel-iconDirectionDesc-238" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ArrowDownward> </pure(ArrowDownward)> </span> </ButtonBase> </WithStyles(ButtonBase)> </TableSortLabel> </WithStyles(TableSortLabel)> </RootRef> <Popper anchorEl={ <span class="MuiButtonBase-root-224 MuiTableSortLabel-root-235 MuiTableSortLabel-active-236 ellipsis" role="button" tabindex="0" title="Sort" > Uploaded on <svg aria-hidden="true" class="MuiSvgIcon-root-199 MuiTableSortLabel-icon-237 MuiTableSortLabel-iconDirectionDesc-238" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M20 12l-1.41-1.41L13 16.17V4h-2v12.17l-5.58-5.59L4 12l8 8 8-8z" /> </svg> </span> } className="MuiTooltip-popper-227" disablePortal={false} id={null} open={false} placement="bottom" transition={true} /> </Tooltip> </WithStyles(Tooltip)> </div> </div> <div className="scrollContainer" style={ Object { "minHeight": 60, } } > <div className="expandableContainer" key="0" > <div aria-checked={false} className="tableRow row" onClick={[Function]} role="checkbox" tabIndex={-1} > <div className="cell selectionToggle" > <WithStyles(Checkbox) checked={false} color="primary" > <Checkbox checked={false} checkedIcon={<pure(CheckBox) />} classes={ Object { "checked": "MuiCheckbox-checked-209", "colorPrimary": "MuiCheckbox-colorPrimary-212", "colorSecondary": "MuiCheckbox-colorSecondary-213", "disabled": "MuiCheckbox-disabled-210", "indeterminate": "MuiCheckbox-indeterminate-211", "root": "MuiCheckbox-root-208", } } color="primary" icon={<pure(CheckBoxOutlineBlank) />} indeterminate={false} indeterminateIcon={<pure(IndeterminateCheckBox) />} > <WithStyles(WithFormControlContext(SwitchBase)) checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiCheckbox-checked-209", "disabled": "MuiCheckbox-disabled-210", "root": "MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } type="checkbox" > <WithFormControlContext(SwitchBase) checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiPrivateSwitchBase-checked-215 MuiCheckbox-checked-209", "disabled": "MuiPrivateSwitchBase-disabled-216 MuiCheckbox-disabled-210", "input": "MuiPrivateSwitchBase-input-217", "root": "MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } type="checkbox" > <SwitchBase checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiPrivateSwitchBase-checked-215 MuiCheckbox-checked-209", "disabled": "MuiPrivateSwitchBase-disabled-216 MuiCheckbox-disabled-210", "input": "MuiPrivateSwitchBase-input-217", "root": "MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } type="checkbox" > <WithStyles(IconButton) className="MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" component="span" onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <IconButton className="MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" classes={ Object { "colorInherit": "MuiIconButton-colorInherit-219", "colorPrimary": "MuiIconButton-colorPrimary-220", "colorSecondary": "MuiIconButton-colorSecondary-221", "disabled": "MuiIconButton-disabled-222", "label": "MuiIconButton-label-223", "root": "MuiIconButton-root-218", } } color="default" component="span" disabled={false} onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <WithStyles(ButtonBase) centerRipple={true} className="MuiIconButton-root-218 MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" component="span" disabled={false} focusRipple={true} onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <ButtonBase centerRipple={true} className="MuiIconButton-root-218 MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" classes={ Object { "disabled": "MuiButtonBase-disabled-225", "focusVisible": "MuiButtonBase-focusVisible-226", "root": "MuiButtonBase-root-224", } } component="span" disableRipple={false} disableTouchRipple={false} disabled={false} focusRipple={true} onBlur={[Function]} onFocus={[Function]} tabIndex={null} type="button" > <span className="MuiButtonBase-root-224 MuiIconButton-root-218 MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" onBlur={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} tabIndex={null} > <span className="MuiIconButton-label-223" > <pure(CheckBoxOutlineBlank)> <CheckBoxOutlineBlank> <WithStyles(SvgIcon)> <SvgIcon classes={ Object { "colorAction": "MuiSvgIcon-colorAction-202", "colorDisabled": "MuiSvgIcon-colorDisabled-204", "colorError": "MuiSvgIcon-colorError-203", "colorPrimary": "MuiSvgIcon-colorPrimary-200", "colorSecondary": "MuiSvgIcon-colorSecondary-201", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-205", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-207", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-206", "root": "MuiSvgIcon-root-199", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-199" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M19 5v14H5V5h14m0-2H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </CheckBoxOutlineBlank> </pure(CheckBoxOutlineBlank)> <input checked={false} className="MuiPrivateSwitchBase-input-217" data-indeterminate={false} onChange={[Function]} type="checkbox" /> </span> <NoSsr defer={false} fallback={null} > <WithStyles(TouchRipple) center={true} innerRef={[Function]} > <TouchRipple center={true} classes={ Object { "child": "MuiTouchRipple-child-268", "childLeaving": "MuiTouchRipple-childLeaving-269", "childPulsate": "MuiTouchRipple-childPulsate-270", "ripple": "MuiTouchRipple-ripple-265", "ripplePulsate": "MuiTouchRipple-ripplePulsate-267", "rippleVisible": "MuiTouchRipple-rippleVisible-266", "root": "MuiTouchRipple-root-264", } } > <TransitionGroup childFactory={[Function]} className="MuiTouchRipple-root-264" component="span" enter={true} exit={true} > <span className="MuiTouchRipple-root-264" /> </TransitionGroup> </TouchRipple> </WithStyles(TouchRipple)> </NoSsr> </span> </ButtonBase> </WithStyles(ButtonBase)> </IconButton> </WithStyles(IconButton)> </SwitchBase> </WithFormControlContext(SwitchBase)> </WithStyles(WithFormControlContext(SwitchBase))> </Checkbox> </WithStyles(Checkbox)> </div> <CustomTableRow columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } row={ Object { "id": "test-pipeline-version-id0", "otherFields": Array [ "test pipeline version name0", "-", ], } } > <div className="cell" key="0" style={ Object { "width": "66.66666666666666%", } } > <Link className="link" onClick={[Function]} replace={false} to="/pipelines/details/pipeline/version/test-pipeline-version-id0?" > <a className="link" href="/pipelines/details/pipeline/version/test-pipeline-version-id0" onClick={[Function]} > test pipeline version name0 </a> </Link> </div> <div className="cell" key="1" style={ Object { "width": "33.33333333333333%", } } > - </div> </CustomTableRow> </div> </div> <div className="expandableContainer" key="1" > <div aria-checked={false} className="tableRow row" onClick={[Function]} role="checkbox" tabIndex={-1} > <div className="cell selectionToggle" > <WithStyles(Checkbox) checked={false} color="primary" > <Checkbox checked={false} checkedIcon={<pure(CheckBox) />} classes={ Object { "checked": "MuiCheckbox-checked-209", "colorPrimary": "MuiCheckbox-colorPrimary-212", "colorSecondary": "MuiCheckbox-colorSecondary-213", "disabled": "MuiCheckbox-disabled-210", "indeterminate": "MuiCheckbox-indeterminate-211", "root": "MuiCheckbox-root-208", } } color="primary" icon={<pure(CheckBoxOutlineBlank) />} indeterminate={false} indeterminateIcon={<pure(IndeterminateCheckBox) />} > <WithStyles(WithFormControlContext(SwitchBase)) checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiCheckbox-checked-209", "disabled": "MuiCheckbox-disabled-210", "root": "MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } type="checkbox" > <WithFormControlContext(SwitchBase) checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiPrivateSwitchBase-checked-215 MuiCheckbox-checked-209", "disabled": "MuiPrivateSwitchBase-disabled-216 MuiCheckbox-disabled-210", "input": "MuiPrivateSwitchBase-input-217", "root": "MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } type="checkbox" > <SwitchBase checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiPrivateSwitchBase-checked-215 MuiCheckbox-checked-209", "disabled": "MuiPrivateSwitchBase-disabled-216 MuiCheckbox-disabled-210", "input": "MuiPrivateSwitchBase-input-217", "root": "MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } type="checkbox" > <WithStyles(IconButton) className="MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" component="span" onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <IconButton className="MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" classes={ Object { "colorInherit": "MuiIconButton-colorInherit-219", "colorPrimary": "MuiIconButton-colorPrimary-220", "colorSecondary": "MuiIconButton-colorSecondary-221", "disabled": "MuiIconButton-disabled-222", "label": "MuiIconButton-label-223", "root": "MuiIconButton-root-218", } } color="default" component="span" disabled={false} onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <WithStyles(ButtonBase) centerRipple={true} className="MuiIconButton-root-218 MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" component="span" disabled={false} focusRipple={true} onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <ButtonBase centerRipple={true} className="MuiIconButton-root-218 MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" classes={ Object { "disabled": "MuiButtonBase-disabled-225", "focusVisible": "MuiButtonBase-focusVisible-226", "root": "MuiButtonBase-root-224", } } component="span" disableRipple={false} disableTouchRipple={false} disabled={false} focusRipple={true} onBlur={[Function]} onFocus={[Function]} tabIndex={null} type="button" > <span className="MuiButtonBase-root-224 MuiIconButton-root-218 MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" onBlur={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} tabIndex={null} > <span className="MuiIconButton-label-223" > <pure(CheckBoxOutlineBlank)> <CheckBoxOutlineBlank> <WithStyles(SvgIcon)> <SvgIcon classes={ Object { "colorAction": "MuiSvgIcon-colorAction-202", "colorDisabled": "MuiSvgIcon-colorDisabled-204", "colorError": "MuiSvgIcon-colorError-203", "colorPrimary": "MuiSvgIcon-colorPrimary-200", "colorSecondary": "MuiSvgIcon-colorSecondary-201", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-205", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-207", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-206", "root": "MuiSvgIcon-root-199", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-199" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M19 5v14H5V5h14m0-2H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </CheckBoxOutlineBlank> </pure(CheckBoxOutlineBlank)> <input checked={false} className="MuiPrivateSwitchBase-input-217" data-indeterminate={false} onChange={[Function]} type="checkbox" /> </span> <NoSsr defer={false} fallback={null} > <WithStyles(TouchRipple) center={true} innerRef={[Function]} > <TouchRipple center={true} classes={ Object { "child": "MuiTouchRipple-child-268", "childLeaving": "MuiTouchRipple-childLeaving-269", "childPulsate": "MuiTouchRipple-childPulsate-270", "ripple": "MuiTouchRipple-ripple-265", "ripplePulsate": "MuiTouchRipple-ripplePulsate-267", "rippleVisible": "MuiTouchRipple-rippleVisible-266", "root": "MuiTouchRipple-root-264", } } > <TransitionGroup childFactory={[Function]} className="MuiTouchRipple-root-264" component="span" enter={true} exit={true} > <span className="MuiTouchRipple-root-264" /> </TransitionGroup> </TouchRipple> </WithStyles(TouchRipple)> </NoSsr> </span> </ButtonBase> </WithStyles(ButtonBase)> </IconButton> </WithStyles(IconButton)> </SwitchBase> </WithFormControlContext(SwitchBase)> </WithStyles(WithFormControlContext(SwitchBase))> </Checkbox> </WithStyles(Checkbox)> </div> <CustomTableRow columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } row={ Object { "id": "test-pipeline-version-id1", "otherFields": Array [ "test pipeline version name1", "-", ], } } > <div className="cell" key="0" style={ Object { "width": "66.66666666666666%", } } > <Link className="link" onClick={[Function]} replace={false} to="/pipelines/details/pipeline/version/test-pipeline-version-id1?" > <a className="link" href="/pipelines/details/pipeline/version/test-pipeline-version-id1" onClick={[Function]} > test pipeline version name1 </a> </Link> </div> <div className="cell" key="1" style={ Object { "width": "33.33333333333333%", } } > - </div> </CustomTableRow> </div> </div> <div className="expandableContainer" key="2" > <div aria-checked={false} className="tableRow row" onClick={[Function]} role="checkbox" tabIndex={-1} > <div className="cell selectionToggle" > <WithStyles(Checkbox) checked={false} color="primary" > <Checkbox checked={false} checkedIcon={<pure(CheckBox) />} classes={ Object { "checked": "MuiCheckbox-checked-209", "colorPrimary": "MuiCheckbox-colorPrimary-212", "colorSecondary": "MuiCheckbox-colorSecondary-213", "disabled": "MuiCheckbox-disabled-210", "indeterminate": "MuiCheckbox-indeterminate-211", "root": "MuiCheckbox-root-208", } } color="primary" icon={<pure(CheckBoxOutlineBlank) />} indeterminate={false} indeterminateIcon={<pure(IndeterminateCheckBox) />} > <WithStyles(WithFormControlContext(SwitchBase)) checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiCheckbox-checked-209", "disabled": "MuiCheckbox-disabled-210", "root": "MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } type="checkbox" > <WithFormControlContext(SwitchBase) checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiPrivateSwitchBase-checked-215 MuiCheckbox-checked-209", "disabled": "MuiPrivateSwitchBase-disabled-216 MuiCheckbox-disabled-210", "input": "MuiPrivateSwitchBase-input-217", "root": "MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } type="checkbox" > <SwitchBase checked={false} checkedIcon={<pure(CheckBox) />} className="" classes={ Object { "checked": "MuiPrivateSwitchBase-checked-215 MuiCheckbox-checked-209", "disabled": "MuiPrivateSwitchBase-disabled-216 MuiCheckbox-disabled-210", "input": "MuiPrivateSwitchBase-input-217", "root": "MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212", } } icon={<pure(CheckBoxOutlineBlank) />} inputProps={ Object { "data-indeterminate": false, } } type="checkbox" > <WithStyles(IconButton) className="MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" component="span" onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <IconButton className="MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" classes={ Object { "colorInherit": "MuiIconButton-colorInherit-219", "colorPrimary": "MuiIconButton-colorPrimary-220", "colorSecondary": "MuiIconButton-colorSecondary-221", "disabled": "MuiIconButton-disabled-222", "label": "MuiIconButton-label-223", "root": "MuiIconButton-root-218", } } color="default" component="span" disabled={false} onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <WithStyles(ButtonBase) centerRipple={true} className="MuiIconButton-root-218 MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" component="span" disabled={false} focusRipple={true} onBlur={[Function]} onFocus={[Function]} tabIndex={null} > <ButtonBase centerRipple={true} className="MuiIconButton-root-218 MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" classes={ Object { "disabled": "MuiButtonBase-disabled-225", "focusVisible": "MuiButtonBase-focusVisible-226", "root": "MuiButtonBase-root-224", } } component="span" disableRipple={false} disableTouchRipple={false} disabled={false} focusRipple={true} onBlur={[Function]} onFocus={[Function]} tabIndex={null} type="button" > <span className="MuiButtonBase-root-224 MuiIconButton-root-218 MuiPrivateSwitchBase-root-214 MuiCheckbox-root-208 MuiCheckbox-colorPrimary-212" onBlur={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} tabIndex={null} > <span className="MuiIconButton-label-223" > <pure(CheckBoxOutlineBlank)> <CheckBoxOutlineBlank> <WithStyles(SvgIcon)> <SvgIcon classes={ Object { "colorAction": "MuiSvgIcon-colorAction-202", "colorDisabled": "MuiSvgIcon-colorDisabled-204", "colorError": "MuiSvgIcon-colorError-203", "colorPrimary": "MuiSvgIcon-colorPrimary-200", "colorSecondary": "MuiSvgIcon-colorSecondary-201", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-205", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-207", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-206", "root": "MuiSvgIcon-root-199", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-199" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M19 5v14H5V5h14m0-2H5c-1.1 0-2 .9-2 2v14c0 1.1.9 2 2 2h14c1.1 0 2-.9 2-2V5c0-1.1-.9-2-2-2z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </CheckBoxOutlineBlank> </pure(CheckBoxOutlineBlank)> <input checked={false} className="MuiPrivateSwitchBase-input-217" data-indeterminate={false} onChange={[Function]} type="checkbox" /> </span> <NoSsr defer={false} fallback={null} > <WithStyles(TouchRipple) center={true} innerRef={[Function]} > <TouchRipple center={true} classes={ Object { "child": "MuiTouchRipple-child-268", "childLeaving": "MuiTouchRipple-childLeaving-269", "childPulsate": "MuiTouchRipple-childPulsate-270", "ripple": "MuiTouchRipple-ripple-265", "ripplePulsate": "MuiTouchRipple-ripplePulsate-267", "rippleVisible": "MuiTouchRipple-rippleVisible-266", "root": "MuiTouchRipple-root-264", } } > <TransitionGroup childFactory={[Function]} className="MuiTouchRipple-root-264" component="span" enter={true} exit={true} > <span className="MuiTouchRipple-root-264" /> </TransitionGroup> </TouchRipple> </WithStyles(TouchRipple)> </NoSsr> </span> </ButtonBase> </WithStyles(ButtonBase)> </IconButton> </WithStyles(IconButton)> </SwitchBase> </WithFormControlContext(SwitchBase)> </WithStyles(WithFormControlContext(SwitchBase))> </Checkbox> </WithStyles(Checkbox)> </div> <CustomTableRow columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } row={ Object { "id": "test-pipeline-version-id2", "otherFields": Array [ "test pipeline version name2", "-", ], } } > <div className="cell" key="0" style={ Object { "width": "66.66666666666666%", } } > <Link className="link" onClick={[Function]} replace={false} to="/pipelines/details/pipeline/version/test-pipeline-version-id2?" > <a className="link" href="/pipelines/details/pipeline/version/test-pipeline-version-id2" onClick={[Function]} > test pipeline version name2 </a> </Link> </div> <div className="cell" key="1" style={ Object { "width": "33.33333333333333%", } } > - </div> </CustomTableRow> </div> </div> </div> <div className="footer" > <span className="" > Rows per page: </span> <TextField InputProps={ Object { "disableUnderline": true, } } className="rowsPerPage" classes={ Object { "root": "verticalAlignInitial", } } onChange={[Function]} required={false} select={true} value={10} variant="standard" > <WithStyles(FormControl) className="rowsPerPage" classes={ Object { "root": "verticalAlignInitial", } } required={false} variant="standard" > <FormControl className="rowsPerPage" classes={ Object { "fullWidth": "MuiFormControl-fullWidth-144", "marginDense": "MuiFormControl-marginDense-143", "marginNormal": "MuiFormControl-marginNormal-142", "root": "MuiFormControl-root-141 verticalAlignInitial", } } component="div" disabled={false} error={false} fullWidth={false} margin="none" required={false} variant="standard" > <div className="MuiFormControl-root-141 verticalAlignInitial rowsPerPage" > <WithStyles(WithFormControlContext(Select)) input={ <WithStyles(Input) disableUnderline={true} onChange={[Function]} value={10} /> } value={10} > <WithFormControlContext(Select) classes={ Object { "disabled": "MuiSelect-disabled-245", "filled": "MuiSelect-filled-242", "icon": "MuiSelect-icon-246", "outlined": "MuiSelect-outlined-243", "root": "MuiSelect-root-240", "select": "MuiSelect-select-241", "selectMenu": "MuiSelect-selectMenu-244", } } input={ <WithStyles(Input) disableUnderline={true} onChange={[Function]} value={10} /> } value={10} > <Select IconComponent={[Function]} autoWidth={false} classes={ Object { "disabled": "MuiSelect-disabled-245", "filled": "MuiSelect-filled-242", "icon": "MuiSelect-icon-246", "outlined": "MuiSelect-outlined-243", "root": "MuiSelect-root-240", "select": "MuiSelect-select-241", "selectMenu": "MuiSelect-selectMenu-244", } } displayEmpty={false} input={ <WithStyles(Input) disableUnderline={true} onChange={[Function]} value={10} /> } muiFormControl={ Object { "adornedStart": false, "disabled": false, "error": false, "filled": true, "focused": false, "margin": "none", "onBlur": [Function], "onEmpty": [Function], "onFilled": [Function], "onFocus": [Function], "required": false, "variant": "standard", } } multiple={false} native={false} value={10} > <WithStyles(Input) disableUnderline={true} inputComponent={[Function]} inputProps={ Object { "IconComponent": [Function], "MenuProps": undefined, "SelectDisplayProps": undefined, "autoWidth": false, "children": Array [ <WithStyles(MenuItem) value={10} > 10 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={20} > 20 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={50} > 50 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={100} > 100 </WithStyles(MenuItem)>, ], "classes": Object { "disabled": "MuiSelect-disabled-245", "filled": "MuiSelect-filled-242", "icon": "MuiSelect-icon-246", "outlined": "MuiSelect-outlined-243", "root": "MuiSelect-root-240", "select": "MuiSelect-select-241", "selectMenu": "MuiSelect-selectMenu-244", }, "displayEmpty": false, "multiple": false, "onClose": undefined, "onOpen": undefined, "open": undefined, "renderValue": undefined, "type": undefined, "variant": "standard", } } onChange={[Function]} value={10} > <Input classes={ Object { "disabled": "MuiInput-disabled-250", "error": "MuiInput-error-252", "focused": "MuiInput-focused-249", "formControl": "MuiInput-formControl-248", "fullWidth": "MuiInput-fullWidth-254", "input": "MuiInput-input-255", "inputMarginDense": "MuiInput-inputMarginDense-256", "inputMultiline": "MuiInput-inputMultiline-257", "inputType": "MuiInput-inputType-258", "inputTypeSearch": "MuiInput-inputTypeSearch-259", "multiline": "MuiInput-multiline-253", "root": "MuiInput-root-247", "underline": "MuiInput-underline-251", } } disableUnderline={true} inputComponent={[Function]} inputProps={ Object { "IconComponent": [Function], "MenuProps": undefined, "SelectDisplayProps": undefined, "autoWidth": false, "children": Array [ <WithStyles(MenuItem) value={10} > 10 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={20} > 20 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={50} > 50 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={100} > 100 </WithStyles(MenuItem)>, ], "classes": Object { "disabled": "MuiSelect-disabled-245", "filled": "MuiSelect-filled-242", "icon": "MuiSelect-icon-246", "outlined": "MuiSelect-outlined-243", "root": "MuiSelect-root-240", "select": "MuiSelect-select-241", "selectMenu": "MuiSelect-selectMenu-244", }, "displayEmpty": false, "multiple": false, "onClose": undefined, "onOpen": undefined, "open": undefined, "renderValue": undefined, "type": undefined, "variant": "standard", } } onChange={[Function]} value={10} > <WithStyles(WithFormControlContext(InputBase)) classes={ Object { "disabled": "MuiInput-disabled-250", "error": "MuiInput-error-252", "focused": "MuiInput-focused-249", "formControl": "MuiInput-formControl-248", "fullWidth": "MuiInput-fullWidth-254", "input": "MuiInput-input-255", "inputMarginDense": "MuiInput-inputMarginDense-256", "inputMultiline": "MuiInput-inputMultiline-257", "inputType": "MuiInput-inputType-258", "inputTypeSearch": "MuiInput-inputTypeSearch-259", "multiline": "MuiInput-multiline-253", "root": "MuiInput-root-247", "underline": null, } } fullWidth={false} inputComponent={[Function]} inputProps={ Object { "IconComponent": [Function], "MenuProps": undefined, "SelectDisplayProps": undefined, "autoWidth": false, "children": Array [ <WithStyles(MenuItem) value={10} > 10 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={20} > 20 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={50} > 50 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={100} > 100 </WithStyles(MenuItem)>, ], "classes": Object { "disabled": "MuiSelect-disabled-245", "filled": "MuiSelect-filled-242", "icon": "MuiSelect-icon-246", "outlined": "MuiSelect-outlined-243", "root": "MuiSelect-root-240", "select": "MuiSelect-select-241", "selectMenu": "MuiSelect-selectMenu-244", }, "displayEmpty": false, "multiple": false, "onClose": undefined, "onOpen": undefined, "open": undefined, "renderValue": undefined, "type": undefined, "variant": "standard", } } multiline={false} onChange={[Function]} type="text" value={10} > <WithFormControlContext(InputBase) classes={ Object { "adornedEnd": "MuiInputBase-adornedEnd-181", "adornedStart": "MuiInputBase-adornedStart-180", "disabled": "MuiInputBase-disabled-179 MuiInput-disabled-250", "error": "MuiInputBase-error-182 MuiInput-error-252", "focused": "MuiInputBase-focused-178 MuiInput-focused-249", "formControl": "MuiInputBase-formControl-177 MuiInput-formControl-248", "fullWidth": "MuiInputBase-fullWidth-185 MuiInput-fullWidth-254", "input": "MuiInputBase-input-186 MuiInput-input-255", "inputAdornedEnd": "MuiInputBase-inputAdornedEnd-192", "inputAdornedStart": "MuiInputBase-inputAdornedStart-191", "inputMarginDense": "MuiInputBase-inputMarginDense-187 MuiInput-inputMarginDense-256", "inputMultiline": "MuiInputBase-inputMultiline-188 MuiInput-inputMultiline-257", "inputType": "MuiInputBase-inputType-189 MuiInput-inputType-258", "inputTypeSearch": "MuiInputBase-inputTypeSearch-190 MuiInput-inputTypeSearch-259", "marginDense": "MuiInputBase-marginDense-183", "multiline": "MuiInputBase-multiline-184 MuiInput-multiline-253", "root": "MuiInputBase-root-176 MuiInput-root-247", } } fullWidth={false} inputComponent={[Function]} inputProps={ Object { "IconComponent": [Function], "MenuProps": undefined, "SelectDisplayProps": undefined, "autoWidth": false, "children": Array [ <WithStyles(MenuItem) value={10} > 10 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={20} > 20 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={50} > 50 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={100} > 100 </WithStyles(MenuItem)>, ], "classes": Object { "disabled": "MuiSelect-disabled-245", "filled": "MuiSelect-filled-242", "icon": "MuiSelect-icon-246", "outlined": "MuiSelect-outlined-243", "root": "MuiSelect-root-240", "select": "MuiSelect-select-241", "selectMenu": "MuiSelect-selectMenu-244", }, "displayEmpty": false, "multiple": false, "onClose": undefined, "onOpen": undefined, "open": undefined, "renderValue": undefined, "type": undefined, "variant": "standard", } } multiline={false} onChange={[Function]} type="text" value={10} > <InputBase classes={ Object { "adornedEnd": "MuiInputBase-adornedEnd-181", "adornedStart": "MuiInputBase-adornedStart-180", "disabled": "MuiInputBase-disabled-179 MuiInput-disabled-250", "error": "MuiInputBase-error-182 MuiInput-error-252", "focused": "MuiInputBase-focused-178 MuiInput-focused-249", "formControl": "MuiInputBase-formControl-177 MuiInput-formControl-248", "fullWidth": "MuiInputBase-fullWidth-185 MuiInput-fullWidth-254", "input": "MuiInputBase-input-186 MuiInput-input-255", "inputAdornedEnd": "MuiInputBase-inputAdornedEnd-192", "inputAdornedStart": "MuiInputBase-inputAdornedStart-191", "inputMarginDense": "MuiInputBase-inputMarginDense-187 MuiInput-inputMarginDense-256", "inputMultiline": "MuiInputBase-inputMultiline-188 MuiInput-inputMultiline-257", "inputType": "MuiInputBase-inputType-189 MuiInput-inputType-258", "inputTypeSearch": "MuiInputBase-inputTypeSearch-190 MuiInput-inputTypeSearch-259", "marginDense": "MuiInputBase-marginDense-183", "multiline": "MuiInputBase-multiline-184 MuiInput-multiline-253", "root": "MuiInputBase-root-176 MuiInput-root-247", } } fullWidth={false} inputComponent={[Function]} inputProps={ Object { "IconComponent": [Function], "MenuProps": undefined, "SelectDisplayProps": undefined, "autoWidth": false, "children": Array [ <WithStyles(MenuItem) value={10} > 10 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={20} > 20 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={50} > 50 </WithStyles(MenuItem)>, <WithStyles(MenuItem) value={100} > 100 </WithStyles(MenuItem)>, ], "classes": Object { "disabled": "MuiSelect-disabled-245", "filled": "MuiSelect-filled-242", "icon": "MuiSelect-icon-246", "outlined": "MuiSelect-outlined-243", "root": "MuiSelect-root-240", "select": "MuiSelect-select-241", "selectMenu": "MuiSelect-selectMenu-244", }, "displayEmpty": false, "multiple": false, "onClose": undefined, "onOpen": undefined, "open": undefined, "renderValue": undefined, "type": undefined, "variant": "standard", } } muiFormControl={ Object { "adornedStart": false, "disabled": false, "error": false, "filled": true, "focused": false, "margin": "none", "onBlur": [Function], "onEmpty": [Function], "onFilled": [Function], "onFocus": [Function], "required": false, "variant": "standard", } } multiline={false} onChange={[Function]} type="text" value={10} > <div className="MuiInputBase-root-176 MuiInput-root-247 MuiInputBase-formControl-177 MuiInput-formControl-248" onClick={[Function]} > <SelectInput IconComponent={[Function]} aria-invalid={false} autoWidth={false} className="MuiInputBase-input-186 MuiInput-input-255" classes={ Object { "disabled": "MuiSelect-disabled-245", "filled": "MuiSelect-filled-242", "icon": "MuiSelect-icon-246", "outlined": "MuiSelect-outlined-243", "root": "MuiSelect-root-240", "select": "MuiSelect-select-241", "selectMenu": "MuiSelect-selectMenu-244", } } disabled={false} displayEmpty={false} inputRef={[Function]} multiple={false} onBlur={[Function]} onChange={[Function]} onFocus={[Function]} required={false} value={10} variant="standard" > <div className="MuiSelect-root-240" > <div aria-haspopup="true" aria-pressed="false" className="MuiSelect-select-241 MuiSelect-selectMenu-244 MuiInputBase-input-186 MuiInput-input-255" onBlur={[Function]} onClick={[Function]} onFocus={[Function]} onKeyDown={[Function]} role="button" tabIndex={0} > 10 </div> <input type="hidden" value={10} /> <pure(ArrowDropDown) className="MuiSelect-icon-246" > <ArrowDropDown className="MuiSelect-icon-246" > <WithStyles(SvgIcon) className="MuiSelect-icon-246" > <SvgIcon className="MuiSelect-icon-246" classes={ Object { "colorAction": "MuiSvgIcon-colorAction-202", "colorDisabled": "MuiSvgIcon-colorDisabled-204", "colorError": "MuiSvgIcon-colorError-203", "colorPrimary": "MuiSvgIcon-colorPrimary-200", "colorSecondary": "MuiSvgIcon-colorSecondary-201", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-205", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-207", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-206", "root": "MuiSvgIcon-root-199", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-199 MuiSelect-icon-246" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M7 10l5 5 5-5z" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ArrowDropDown> </pure(ArrowDropDown)> <WithStyles(Menu) MenuListProps={ Object { "role": "listbox", } } PaperProps={ Object { "style": Object { "minWidth": null, }, } } anchorEl={ <div aria-haspopup="true" aria-pressed="false" class="MuiSelect-select-241 MuiSelect-selectMenu-244 MuiInputBase-input-186 MuiInput-input-255" role="button" tabindex="0" > 10 </div> } id="menu-" onClose={[Function]} open={false} > <Menu MenuListProps={ Object { "role": "listbox", } } PaperProps={ Object { "style": Object { "minWidth": null, }, } } anchorEl={ <div aria-haspopup="true" aria-pressed="false" class="MuiSelect-select-241 MuiSelect-selectMenu-244 MuiInputBase-input-186 MuiInput-input-255" role="button" tabindex="0" > 10 </div> } classes={ Object { "paper": "MuiMenu-paper-260", } } disableAutoFocusItem={false} id="menu-" onClose={[Function]} open={false} theme={ Object { "breakpoints": Object { "between": [Function], "down": [Function], "keys": Array [ "xs", "sm", "md", "lg", "xl", ], "only": [Function], "up": [Function], "values": Object { "lg": 1280, "md": 960, "sm": 600, "xl": 1920, "xs": 0, }, "width": [Function], }, "direction": "ltr", "mixins": Object { "gutters": [Function], "toolbar": Object { "@media (min-width:0px) and (orientation: landscape)": Object { "minHeight": 48, }, "@media (min-width:600px)": Object { "minHeight": 64, }, "minHeight": 56, }, }, "overrides": Object {}, "palette": Object { "action": Object { "active": "rgba(0, 0, 0, 0.54)", "disabled": "rgba(0, 0, 0, 0.26)", "disabledBackground": "rgba(0, 0, 0, 0.12)", "hover": "rgba(0, 0, 0, 0.08)", "hoverOpacity": 0.08, "selected": "rgba(0, 0, 0, 0.14)", }, "augmentColor": [Function], "background": Object { "default": "#fafafa", "paper": "#fff", }, "common": Object { "black": "#000", "white": "#fff", }, "contrastThreshold": 3, "divider": "rgba(0, 0, 0, 0.12)", "error": Object { "contrastText": "#fff", "dark": "#d32f2f", "light": "#e57373", "main": "#f44336", }, "getContrastText": [Function], "grey": Object { "100": "#f5f5f5", "200": "#eeeeee", "300": "#e0e0e0", "400": "#bdbdbd", "50": "#fafafa", "500": "#9e9e9e", "600": "#757575", "700": "#616161", "800": "#424242", "900": "#212121", "A100": "#d5d5d5", "A200": "#aaaaaa", "A400": "#303030", "A700": "#616161", }, "primary": Object { "contrastText": "#fff", "dark": "#303f9f", "light": "#7986cb", "main": "#3f51b5", }, "secondary": Object { "contrastText": "#fff", "dark": "#c51162", "light": "#ff4081", "main": "#f50057", }, "text": Object { "disabled": "rgba(0, 0, 0, 0.38)", "hint": "rgba(0, 0, 0, 0.38)", "primary": "rgba(0, 0, 0, 0.87)", "secondary": "rgba(0, 0, 0, 0.54)", }, "tonalOffset": 0.2, "type": "light", }, "props": Object {}, "shadows": Array [ "none", "0px 1px 3px 0px rgba(0,0,0,0.2),0px 1px 1px 0px rgba(0,0,0,0.14),0px 2px 1px -1px rgba(0,0,0,0.12)", "0px 1px 5px 0px rgba(0,0,0,0.2),0px 2px 2px 0px rgba(0,0,0,0.14),0px 3px 1px -2px rgba(0,0,0,0.12)", "0px 1px 8px 0px rgba(0,0,0,0.2),0px 3px 4px 0px rgba(0,0,0,0.14),0px 3px 3px -2px rgba(0,0,0,0.12)", "0px 2px 4px -1px rgba(0,0,0,0.2),0px 4px 5px 0px rgba(0,0,0,0.14),0px 1px 10px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 5px 8px 0px rgba(0,0,0,0.14),0px 1px 14px 0px rgba(0,0,0,0.12)", "0px 3px 5px -1px rgba(0,0,0,0.2),0px 6px 10px 0px rgba(0,0,0,0.14),0px 1px 18px 0px rgba(0,0,0,0.12)", "0px 4px 5px -2px rgba(0,0,0,0.2),0px 7px 10px 1px rgba(0,0,0,0.14),0px 2px 16px 1px rgba(0,0,0,0.12)", "0px 5px 5px -3px rgba(0,0,0,0.2),0px 8px 10px 1px rgba(0,0,0,0.14),0px 3px 14px 2px rgba(0,0,0,0.12)", "0px 5px 6px -3px rgba(0,0,0,0.2),0px 9px 12px 1px rgba(0,0,0,0.14),0px 3px 16px 2px rgba(0,0,0,0.12)", "0px 6px 6px -3px rgba(0,0,0,0.2),0px 10px 14px 1px rgba(0,0,0,0.14),0px 4px 18px 3px rgba(0,0,0,0.12)", "0px 6px 7px -4px rgba(0,0,0,0.2),0px 11px 15px 1px rgba(0,0,0,0.14),0px 4px 20px 3px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 12px 17px 2px rgba(0,0,0,0.14),0px 5px 22px 4px rgba(0,0,0,0.12)", "0px 7px 8px -4px rgba(0,0,0,0.2),0px 13px 19px 2px rgba(0,0,0,0.14),0px 5px 24px 4px rgba(0,0,0,0.12)", "0px 7px 9px -4px rgba(0,0,0,0.2),0px 14px 21px 2px rgba(0,0,0,0.14),0px 5px 26px 4px rgba(0,0,0,0.12)", "0px 8px 9px -5px rgba(0,0,0,0.2),0px 15px 22px 2px rgba(0,0,0,0.14),0px 6px 28px 5px rgba(0,0,0,0.12)", "0px 8px 10px -5px rgba(0,0,0,0.2),0px 16px 24px 2px rgba(0,0,0,0.14),0px 6px 30px 5px rgba(0,0,0,0.12)", "0px 8px 11px -5px rgba(0,0,0,0.2),0px 17px 26px 2px rgba(0,0,0,0.14),0px 6px 32px 5px rgba(0,0,0,0.12)", "0px 9px 11px -5px rgba(0,0,0,0.2),0px 18px 28px 2px rgba(0,0,0,0.14),0px 7px 34px 6px rgba(0,0,0,0.12)", "0px 9px 12px -6px rgba(0,0,0,0.2),0px 19px 29px 2px rgba(0,0,0,0.14),0px 7px 36px 6px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 20px 31px 3px rgba(0,0,0,0.14),0px 8px 38px 7px rgba(0,0,0,0.12)", "0px 10px 13px -6px rgba(0,0,0,0.2),0px 21px 33px 3px rgba(0,0,0,0.14),0px 8px 40px 7px rgba(0,0,0,0.12)", "0px 10px 14px -6px rgba(0,0,0,0.2),0px 22px 35px 3px rgba(0,0,0,0.14),0px 8px 42px 7px rgba(0,0,0,0.12)", "0px 11px 14px -7px rgba(0,0,0,0.2),0px 23px 36px 3px rgba(0,0,0,0.14),0px 9px 44px 8px rgba(0,0,0,0.12)", "0px 11px 15px -7px rgba(0,0,0,0.2),0px 24px 38px 3px rgba(0,0,0,0.14),0px 9px 46px 8px rgba(0,0,0,0.12)", ], "shape": Object { "borderRadius": 4, }, "spacing": Object { "unit": 8, }, "transitions": Object { "create": [Function], "duration": Object { "complex": 375, "enteringScreen": 225, "leavingScreen": 195, "short": 250, "shorter": 200, "shortest": 150, "standard": 300, }, "easing": Object { "easeIn": "cubic-bezier(0.4, 0, 1, 1)", "easeInOut": "cubic-bezier(0.4, 0, 0.2, 1)", "easeOut": "cubic-bezier(0.0, 0, 0.2, 1)", "sharp": "cubic-bezier(0.4, 0, 0.6, 1)", }, "getAutoHeightDuration": [Function], }, "typography": Object { "body1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "lineHeight": "1.46429em", }, "body1Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.5, }, "body2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "lineHeight": "1.71429em", }, "body2Next": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 400, "letterSpacing": "0.01071em", "lineHeight": 1.5, }, "button": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "textTransform": "uppercase", }, "buttonNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.02857em", "lineHeight": 1.5, "textTransform": "uppercase", }, "caption": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "lineHeight": "1.375em", }, "captionNext": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.03333em", "lineHeight": 1.66, }, "display1": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "lineHeight": "1.20588em", }, "display2": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.8125rem", "fontWeight": 400, "lineHeight": "1.13333em", "marginLeft": "-.02em", }, "display3": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.5rem", "fontWeight": 400, "letterSpacing": "-.02em", "lineHeight": "1.30357em", "marginLeft": "-.02em", }, "display4": Object { "color": "rgba(0, 0, 0, 0.54)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "7rem", "fontWeight": 300, "letterSpacing": "-.04em", "lineHeight": "1.14286em", "marginLeft": "-.04em", }, "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": 14, "fontWeightLight": 300, "fontWeightMedium": 500, "fontWeightRegular": 400, "h1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "6rem", "fontWeight": 300, "letterSpacing": "-0.01562em", "lineHeight": 1, }, "h2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3.75rem", "fontWeight": 300, "letterSpacing": "-0.00833em", "lineHeight": 1, }, "h3": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "3rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.04, }, "h4": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "2.125rem", "fontWeight": 400, "letterSpacing": "0.00735em", "lineHeight": 1.17, }, "h5": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "letterSpacing": "0em", "lineHeight": 1.33, }, "h6": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.25rem", "fontWeight": 500, "letterSpacing": "0.0075em", "lineHeight": 1.6, }, "headline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.5rem", "fontWeight": 400, "lineHeight": "1.35417em", }, "overline": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.75rem", "fontWeight": 400, "letterSpacing": "0.08333em", "lineHeight": 2.66, "textTransform": "uppercase", }, "pxToRem": [Function], "round": [Function], "subheading": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "lineHeight": "1.5em", }, "subtitle1": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1rem", "fontWeight": 400, "letterSpacing": "0.00938em", "lineHeight": 1.75, }, "subtitle2": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "0.875rem", "fontWeight": 500, "letterSpacing": "0.00714em", "lineHeight": 1.57, }, "title": Object { "color": "rgba(0, 0, 0, 0.87)", "fontFamily": "\\"Roboto\\", \\"Helvetica\\", \\"Arial\\", sans-serif", "fontSize": "1.3125rem", "fontWeight": 500, "lineHeight": "1.16667em", }, "useNextVariants": false, }, "zIndex": Object { "appBar": 1100, "drawer": 1200, "mobileStepper": 1000, "modal": 1300, "snackbar": 1400, "tooltip": 1500, }, } } transitionDuration="auto" > <WithStyles(Popover) PaperProps={ Object { "classes": Object { "root": "MuiMenu-paper-260", }, "style": Object { "minWidth": null, }, } } anchorEl={ <div aria-haspopup="true" aria-pressed="false" class="MuiSelect-select-241 MuiSelect-selectMenu-244 MuiInputBase-input-186 MuiInput-input-255" role="button" tabindex="0" > 10 </div> } anchorOrigin={ Object { "horizontal": "left", "vertical": "top", } } getContentAnchorEl={[Function]} id="menu-" onClose={[Function]} onEntering={[Function]} open={false} transformOrigin={ Object { "horizontal": "left", "vertical": "top", } } transitionDuration="auto" > <Popover PaperProps={ Object { "classes": Object { "root": "MuiMenu-paper-260", }, "style": Object { "minWidth": null, }, } } TransitionComponent={[Function]} anchorEl={ <div aria-haspopup="true" aria-pressed="false" class="MuiSelect-select-241 MuiSelect-selectMenu-244 MuiInputBase-input-186 MuiInput-input-255" role="button" tabindex="0" > 10 </div> } anchorOrigin={ Object { "horizontal": "left", "vertical": "top", } } anchorReference="anchorEl" classes={ Object { "paper": "MuiPopover-paper-261", } } elevation={8} getContentAnchorEl={[Function]} id="menu-" marginThreshold={16} onClose={[Function]} onEntering={[Function]} open={false} transformOrigin={ Object { "horizontal": "left", "vertical": "top", } } transitionDuration="auto" > <WithStyles(Modal) BackdropProps={ Object { "invisible": true, } } container={<body />} id="menu-" onClose={[Function]} open={false} > <Modal BackdropComponent={[Function]} BackdropProps={ Object { "invisible": true, } } classes={ Object { "hidden": "MuiModal-hidden-263", "root": "MuiModal-root-262", } } container={<body />} disableAutoFocus={false} disableBackdropClick={false} disableEnforceFocus={false} disableEscapeKeyDown={false} disablePortal={false} disableRestoreFocus={false} hideBackdrop={false} id="menu-" keepMounted={false} manager={ ModalManager { "data": Array [], "handleContainerOverflow": true, "hideSiblingNodes": true, "modals": Array [], } } onClose={[Function]} open={false} /> </WithStyles(Modal)> </Popover> </WithStyles(Popover)> </Menu> </WithStyles(Menu)> </div> </SelectInput> </div> </InputBase> </WithFormControlContext(InputBase)> </WithStyles(WithFormControlContext(InputBase))> </Input> </WithStyles(Input)> </Select> </WithFormControlContext(Select)> </WithStyles(WithFormControlContext(Select))> </div> </FormControl> </WithStyles(FormControl)> </TextField> <WithStyles(IconButton) disabled={true} onClick={[Function]} > <IconButton classes={ Object { "colorInherit": "MuiIconButton-colorInherit-219", "colorPrimary": "MuiIconButton-colorPrimary-220", "colorSecondary": "MuiIconButton-colorSecondary-221", "disabled": "MuiIconButton-disabled-222", "label": "MuiIconButton-label-223", "root": "MuiIconButton-root-218", } } color="default" disabled={true} onClick={[Function]} > <WithStyles(ButtonBase) centerRipple={true} className="MuiIconButton-root-218 MuiIconButton-disabled-222" disabled={true} focusRipple={true} onClick={[Function]} > <ButtonBase centerRipple={true} className="MuiIconButton-root-218 MuiIconButton-disabled-222" classes={ Object { "disabled": "MuiButtonBase-disabled-225", "focusVisible": "MuiButtonBase-focusVisible-226", "root": "MuiButtonBase-root-224", } } component="button" disableRipple={false} disableTouchRipple={false} disabled={true} focusRipple={true} onClick={[Function]} tabIndex="0" type="button" > <button className="MuiButtonBase-root-224 MuiButtonBase-disabled-225 MuiIconButton-root-218 MuiIconButton-disabled-222" disabled={true} onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} tabIndex="-1" type="button" > <span className="MuiIconButton-label-223" > <pure(ChevronLeftIcon)> <ChevronLeftIcon> <WithStyles(SvgIcon)> <SvgIcon classes={ Object { "colorAction": "MuiSvgIcon-colorAction-202", "colorDisabled": "MuiSvgIcon-colorDisabled-204", "colorError": "MuiSvgIcon-colorError-203", "colorPrimary": "MuiSvgIcon-colorPrimary-200", "colorSecondary": "MuiSvgIcon-colorSecondary-201", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-205", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-207", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-206", "root": "MuiSvgIcon-root-199", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-199" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M15.41 7.41L14 6l-6 6 6 6 1.41-1.41L10.83 12z" /> <path d="M0 0h24v24H0z" fill="none" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ChevronLeftIcon> </pure(ChevronLeftIcon)> </span> </button> </ButtonBase> </WithStyles(ButtonBase)> </IconButton> </WithStyles(IconButton)> <WithStyles(IconButton) disabled={true} onClick={[Function]} > <IconButton classes={ Object { "colorInherit": "MuiIconButton-colorInherit-219", "colorPrimary": "MuiIconButton-colorPrimary-220", "colorSecondary": "MuiIconButton-colorSecondary-221", "disabled": "MuiIconButton-disabled-222", "label": "MuiIconButton-label-223", "root": "MuiIconButton-root-218", } } color="default" disabled={true} onClick={[Function]} > <WithStyles(ButtonBase) centerRipple={true} className="MuiIconButton-root-218 MuiIconButton-disabled-222" disabled={true} focusRipple={true} onClick={[Function]} > <ButtonBase centerRipple={true} className="MuiIconButton-root-218 MuiIconButton-disabled-222" classes={ Object { "disabled": "MuiButtonBase-disabled-225", "focusVisible": "MuiButtonBase-focusVisible-226", "root": "MuiButtonBase-root-224", } } component="button" disableRipple={false} disableTouchRipple={false} disabled={true} focusRipple={true} onClick={[Function]} tabIndex="0" type="button" > <button className="MuiButtonBase-root-224 MuiButtonBase-disabled-225 MuiIconButton-root-218 MuiIconButton-disabled-222" disabled={true} onBlur={[Function]} onClick={[Function]} onContextMenu={[Function]} onFocus={[Function]} onKeyDown={[Function]} onKeyUp={[Function]} onMouseDown={[Function]} onMouseLeave={[Function]} onMouseUp={[Function]} onTouchEnd={[Function]} onTouchMove={[Function]} onTouchStart={[Function]} tabIndex="-1" type="button" > <span className="MuiIconButton-label-223" > <pure(ChevronRightIcon)> <ChevronRightIcon> <WithStyles(SvgIcon)> <SvgIcon classes={ Object { "colorAction": "MuiSvgIcon-colorAction-202", "colorDisabled": "MuiSvgIcon-colorDisabled-204", "colorError": "MuiSvgIcon-colorError-203", "colorPrimary": "MuiSvgIcon-colorPrimary-200", "colorSecondary": "MuiSvgIcon-colorSecondary-201", "fontSizeInherit": "MuiSvgIcon-fontSizeInherit-205", "fontSizeLarge": "MuiSvgIcon-fontSizeLarge-207", "fontSizeSmall": "MuiSvgIcon-fontSizeSmall-206", "root": "MuiSvgIcon-root-199", } } color="inherit" component="svg" fontSize="default" viewBox="0 0 24 24" > <svg aria-hidden="true" className="MuiSvgIcon-root-199" focusable="false" role="presentation" viewBox="0 0 24 24" > <path d="M10 6L8.59 7.41 13.17 12l-4.58 4.59L10 18l6-6z" /> <path d="M0 0h24v24H0z" fill="none" /> </svg> </SvgIcon> </WithStyles(SvgIcon)> </ChevronRightIcon> </pure(ChevronRightIcon)> </span> </button> </ButtonBase> </WithStyles(ButtonBase)> </IconButton> </WithStyles(IconButton)> </div> </div> </CustomTable> </div> </PipelineVersionList> `; exports[`PipelineVersionList renders a list of one pipeline version 1`] = ` <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipeline versions found." initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "id": undefined, "otherFields": Array [ "pipelineversion1", "9/22/2018, 11:05:48 AM", ], }, ] } /> </div> `; exports[`PipelineVersionList renders a list of one pipeline version with error 1`] = ` <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipeline versions found." initialSortColumn="created_at" reload={[Function]} rows={ Array [ Object { "id": undefined, "otherFields": Array [ "pipeline1", "9/22/2018, 11:05:48 AM", ], }, ] } /> </div> `; exports[`PipelineVersionList renders a list of one pipeline version without created date 1`] = ` <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipeline versions found." initialSortColumn="created_at" reload={[Function]} rows={Array []} /> </div> `; exports[`PipelineVersionList renders an empty list with empty state message 1`] = ` <div> <CustomTable columns={ Array [ Object { "customRenderer": [Function], "flex": 2, "label": "Version name", "sortKey": "name", }, Object { "flex": 1, "label": "Uploaded on", "sortKey": "created_at", }, ] } emptyMessage="No pipeline versions found." initialSortColumn="created_at" reload={[Function]} rows={Array []} /> </div> `;
7,846
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/icons/kubeflowLogo.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; export default class KubeflowLogo extends React.Component<{ color: string; style: React.CSSProperties; }> { public render(): JSX.Element { return ( <svg style={this.props.style} width='36px' height='36px' viewBox='0 0 36 36' version='1.1' xmlns='http://www.w3.org/2000/svg' xmlnsXlink='http://www.w3.org/1999/xlink' > <g id='Symbols' stroke='none' strokeWidth='1' fill='none' fillRule='evenodd'> <g transform='translate(-19.000000, -20.000000)' fill={this.props.color}> <g id='Group' transform='translate(16.000000, 20.000000)'> <g id='Group-3' transform='translate(2.000000, 0.000000)'> <g id='Group-31'> <path d='M13.280615,28.2895445 L25.6611429,12.4910476 C25.8744762,12.2190476 26.187619,12.043619 26.5310476,12.004 C26.875619,11.9641905 27.219619,12.063619 27.4893333,12.28 L33.8839688,17.4104681 C34.3147453,17.7560836 34.9441354,17.687047 35.2897509,17.2562705 C35.4883656,17.0087164 35.5576731,16.6815774 35.4765096,16.3747496 L33.6378449,9.42392156 C33.5041843,8.91863559 33.0039542,8.60151087 32.489937,8.69619653 L11.6932298,12.5270996 C11.2025358,12.617489 10.8535518,13.0557544 10.8753433,13.5542281 L11.494463,27.7164017 C11.5185839,28.2681595 11.9854258,28.6958937 12.5371835,28.6717728 C12.8289153,28.6590193 13.1004979,28.5193877 13.280615,28.2895445 Z' id='Fill-1' /> <path d='M23.7498017,32.7771547 L19.891889,29.5691687 C19.0425842,28.8629428 17.7815773,28.9789311 17.0753514,29.8282359 C17.0566259,29.8507551 17.0383974,29.8736828 17.020679,29.8970026 L13.7939072,34.1438508 C13.4597836,34.5836006 13.5454106,35.2109489 13.9851603,35.5450725 C14.1976017,35.7064863 14.4657379,35.776312 14.7299252,35.7390176 L23.2502146,34.5362384 C23.7970773,34.4590398 24.1778152,33.9531381 24.1006166,33.4062754 C24.0658889,33.1602706 23.9408305,32.9360017 23.7498017,32.7771547 Z' id='Fill-2' /> <path d='M21.4634549,25.9842193 L27.212891,30.4118587 C27.6364506,30.7380419 28.2416494,30.6733984 28.5867577,30.2651111 L34.4465587,23.3325537 C34.8030826,22.9107609 34.7501716,22.2798106 34.3283788,21.9232867 C34.3167911,21.9134922 34.3049821,21.9039626 34.2929607,21.8947054 L28.4845193,17.4218334 C28.0584482,17.0937314 27.4491884,17.1613382 27.1054127,17.5748667 L21.304617,24.5526566 C20.9515571,24.9773532 21.0096301,25.6078493 21.4343266,25.9609092 C21.4438902,25.9688597 21.4536014,25.9766311 21.4634549,25.9842193 Z' id='Fill-3' /> <path d='M10.9598921,2.32339463 L4.75822604,5.30992315 C3.66146381,5.83808955 2.86490023,6.83694834 2.59402821,8.02374044 L1.06234161,14.7346349 C0.939449081,15.2730733 1.27631553,15.8091879 1.8147539,15.9320804 C2.18925077,16.0175551 2.57960826,15.8809608 2.81910588,15.5806364 L7.53619048,9.66552381 L12.1756045,3.84785346 C12.5199474,3.41605902 12.4490539,2.78687542 12.0172594,2.44253256 C11.7169385,2.20303583 11.3059768,2.15673107 10.9598921,2.32339463 Z' id='Fill-4' /> <path d='M8.21352315,30.9427621 L7.69054913,17.8213507 C7.66855444,17.2695041 7.20336415,16.8399743 6.65151754,16.8619689 C6.36136678,16.8735334 6.09057161,17.010649 5.90951901,17.2376757 L1.43617766,22.8469201 C0.854379027,23.5764532 0.854372924,24.6113612 1.43616296,25.3409012 L6.43248567,31.6060776 C6.77683005,32.0378709 7.4060139,32.1087622 7.83780713,31.7644178 C8.0866848,31.565944 8.22620048,31.2608363 8.21352315,30.9427621 Z' id='Fill-5' /> <path d='M18.3667207,1.33231144 L13.9567062,6.86234847 C13.6123643,7.2941437 13.6832593,7.92332714 14.1150545,8.267669 C14.3414298,8.44819552 14.6349388,8.52174106 14.9196922,8.46928975 L27.7120482,6.11294919 C28.2551955,6.01290195 28.6143991,5.49148974 28.5143518,4.94834244 C28.4565321,4.63444455 28.2523431,4.36700464 27.9647717,4.22852098 L20.7981397,0.777337579 C19.9574387,0.372487253 18.9484977,0.602779078 18.3667207,1.33231144 Z' id='Fill-6' /> </g> </g> </g> </g> </g> </svg> ); } }
7,847
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/icons/statusTerminated.tsx
/* * Copyright 2019 Google LLC * * Licensed under the Apache License, Version 2.0 (the 'License'); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an 'AS IS' BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import { CSSProperties } from 'jss/css'; export default class StatusRunning extends React.Component<{ style: CSSProperties }> { public render(): JSX.Element { const { style } = this.props; return ( <svg width={style.width as string} height={style.height as string} viewBox='0 0 18 18'> <g stroke='none' strokeWidth='1' fill='none' fillRule='evenodd'> <g transform='translate(-1.000000, -1.000000)'> <polygon points='0 0 18 0 18 18 0 18' /> <path d='M8.9925,1.5 C4.8525,1.5 1.5,4.86 1.5,9 C1.5,13.14 4.8525,16.5 8.9925,16.5 C13.14,16.5 16.5,13.14 16.5,9 C16.5,4.86 13.14,1.5 8.9925,1.5 Z M9,15 C5.685,15 3,12.315 3,9 C3,5.685 5.685,3 9,3 C12.315,3 15,5.685 15,9 C15,12.315 12.315,15 9,15 Z' fill={style.color as string} fillRule='nonzero' /> <polygon fill={style.color as string} fillRule='nonzero' points='6 6 12 6 12 12 6 12' /> </g> </g> </svg> ); } }
7,848
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/icons/pipelines.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; export default class PipelinesIcon extends React.Component<{ color: string }> { public render(): JSX.Element { return ( <svg width='20px' height='20px' viewBox='0 0 20 20' version='1.1' xmlns='http://www.w3.org/2000/svg' xmlnsXlink='http://www.w3.org/1999/xlink' > <g id='Symbols' stroke='none' strokeWidth='1' fill='none' fillRule='evenodd'> <g transform='translate(-2.000000, -4.000000)'> <polygon id='Shape' points='0 0 24 0 24 24 0 24' /> <path d='M12.7244079,9.74960425 L17.4807112,9.74960425 C17.7675226,9.74960425 18,9.51894323 18,9.23437272 L18,4.51523153 C18,4.23066102 17.7675226,4 17.4807112,4 L12.7244079,4 C12.4375965,4 12.2051191,4.23066102 12.2051191,4.51523153 L12.2051191,6.06125154 L9.98218019,6.06125154 C9.52936032,6.06125154 9.16225043,6.42549311 9.16225043,6.87477501 L9.16225043,11.2135669 L7.05995053,11.2135669 C6.71661861,10.189612 5.74374462,9.45093267 4.59644424,9.45093267 C3.16249641,9.45093267 2,10.6043462 2,12.0270903 C2,13.4498886 3.16249641,14.603248 4.59644424,14.603248 C5.74379928,14.603248 6.71661861,13.8645687 7.06000519,12.8406138 L9.16225043,12.8406138 L9.16225043,17.1794057 C9.16225043,17.6286875 9.52936032,17.9929291 9.98218019,17.9929291 L12.2051191,17.9929291 L12.2051191,19.4847685 C12.2051191,19.769339 12.4375965,20 12.7244079,20 L17.4807112,20 C17.7675226,20 18,19.769339 18,19.4847685 L18,14.7656273 C18,14.4810568 17.7675226,14.2503957 17.4807112,14.2503957 L12.7244079,14.2503957 C12.4375965,14.2503957 12.2051191,14.4810568 12.2051191,14.7656273 L12.2051191,16.3658822 L10.80211,16.3658822 L10.80211,7.68829848 L12.2051191,7.68829848 L12.2051191,9.23437272 C12.2051191,9.51894323 12.4375965,9.74960425 12.7244079,9.74960425 Z' id='Path' fill={this.props.color} /> </g> </g> </svg> ); } }
7,849
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/icons/experiments.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; export default class ExperimentsIcon extends React.Component<{ color: string }> { public render(): JSX.Element { return ( <svg width='20' height='20' viewBox='0 0 20 12' xmlns='http://www.w3.org/2000/svg'> <g id='Symbols' fill='none' fillRule='evenodd'> <g transform='translate(-26 -72)'> <g transform='translate(0 12)'> <g transform='translate(0 44)'> <g id='Group-3'> <g transform='translate(26 12)'> <polygon points='0 0 20 0 20 20 0 20' /> <path d='M15,5.83333333 L13.825,4.65833333 L8.54166667,9.94166667 L9.71666667,11.1166667 L15,5.83333333 Z M18.5333333,4.65833333 L9.71666667,13.475 L6.23333333,10 L5.05833333,11.175 L9.71666667,15.8333333 L19.7166667,5.83333333 L18.5333333,4.65833333 Z M0.341666667,11.175 L5,15.8333333 L6.175,14.6583333 L1.525,10 L0.341666667,11.175 Z' fill={this.props.color} fillRule='nonzero' /> </g> </g> </g> </g> </g> </g> </svg> ); } }
7,850
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/icons/statusRunning.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import { CSSProperties } from 'jss/css'; export default class StatusRunning extends React.Component<{ style: CSSProperties }> { public render(): JSX.Element { const { style } = this.props; return ( <svg width={style.width as string} height={style.height as string} viewBox='0 0 18 18'> <g transform='translate(-450, -307)' fill={style.color as string} fillRule='nonzero'> <g transform='translate(450, 266)'> <g transform='translate(0, 41)'> <path d='M9,4 C6.23857143,4 4,6.23857143 4,9 C4,11.7614286 6.23857143,14 9,14 C11.7614286,14 14,11.7614286 14,9 C14,8.40214643 13.8950716,7.8288007 13.702626,7.29737398 L15.2180703,5.78192967 C15.7177126,6.74539838 16,7.83973264 16,9 C16,12.866 12.866,16 9,16 C5.134,16 2,12.866 2,9 C2,5.134 5.134,2 9,2 C10.933,2 12.683,2.7835 13.94975,4.05025 L12.7677679,5.23223214 L9,9 L9,4 Z' /> </g> </g> </g> </svg> ); } }
7,851
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/config/sample_config_from_backend.json
[ "[Demo] XGBoost - Training with confusion matrix", "[Demo] TFX - Taxi tip prediction model trainer", "[Tutorial] Data passing in python components", "[Tutorial] DSL - Control structures", "[Demo] TFX - Iris classification pipeline" ]
7,852
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/__serializers__/mock-function.js
module.exports = { test(val) { return val && !!val._isMockFunction; }, print(val) { return '[MockFunction]'; }, };
7,853
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/run/api.ts
/// <reference path="./custom.d.ts" /> // tslint:disable /** * backend/api/run.proto * No description provided (generated by Swagger Codegen https://github.com/swagger-api/swagger-codegen) * * OpenAPI spec version: version not set * * * NOTE: This class is auto generated by the swagger code generator program. * https://github.com/swagger-api/swagger-codegen.git * Do not edit the class manually. */ import * as url from 'url'; import * as portableFetch from 'portable-fetch'; import { Configuration } from './configuration'; const BASE_PATH = 'http://localhost'.replace(/\/+$/, ''); /** * * @export */ export const COLLECTION_FORMATS = { csv: ',', ssv: ' ', tsv: '\t', pipes: '|', }; /** * * @export * @interface FetchAPI */ export interface FetchAPI { (url: string, init?: any): Promise<Response>; } /** * * @export * @interface FetchArgs */ export interface FetchArgs { url: string; options: any; } /** * * @export * @class BaseAPI */ export class BaseAPI { protected configuration: Configuration; constructor( configuration?: Configuration, protected basePath: string = BASE_PATH, protected fetch: FetchAPI = portableFetch, ) { if (configuration) { this.configuration = configuration; this.basePath = configuration.basePath || this.basePath; } } } /** * * @export * @class RequiredError * @extends {Error} */ export class RequiredError extends Error { name: 'RequiredError'; constructor(public field: string, msg?: string) { super(msg); } } /** * * @export * @interface ApiListRunsResponse */ export interface ApiListRunsResponse { /** * * @type {Array<ApiRun>} * @memberof ApiListRunsResponse */ runs?: Array<ApiRun>; /** * * @type {number} * @memberof ApiListRunsResponse */ total_size?: number; /** * * @type {string} * @memberof ApiListRunsResponse */ next_page_token?: string; } /** * * @export * @interface ApiParameter */ export interface ApiParameter { /** * * @type {string} * @memberof ApiParameter */ name?: string; /** * * @type {string} * @memberof ApiParameter */ value?: string; } /** * * @export * @interface ApiPipelineRuntime */ export interface ApiPipelineRuntime { /** * Output. The runtime JSON manifest of the pipeline, including the status of pipeline steps and fields need for UI visualization etc. * @type {string} * @memberof ApiPipelineRuntime */ pipeline_manifest?: string; /** * Output. The runtime JSON manifest of the argo workflow. This is deprecated after pipeline_runtime_manifest is in use. * @type {string} * @memberof ApiPipelineRuntime */ workflow_manifest?: string; } /** * * @export * @interface ApiPipelineSpec */ export interface ApiPipelineSpec { /** * Optional input field. The ID of the pipeline user uploaded before. * @type {string} * @memberof ApiPipelineSpec */ pipeline_id?: string; /** * Optional output field. The name of the pipeline. Not empty if the pipeline id is not empty. * @type {string} * @memberof ApiPipelineSpec */ pipeline_name?: string; /** * Optional input field. The marshalled raw argo JSON workflow. This will be deprecated when pipeline_manifest is in use. * @type {string} * @memberof ApiPipelineSpec */ workflow_manifest?: string; /** * Optional input field. The raw pipeline JSON spec. * @type {string} * @memberof ApiPipelineSpec */ pipeline_manifest?: string; /** * The parameter user provide to inject to the pipeline JSON. If a default value of a parameter exist in the JSON, the value user provided here will replace. * @type {Array<ApiParameter>} * @memberof ApiPipelineSpec */ parameters?: Array<ApiParameter>; } /** * * @export * @interface ApiReadArtifactResponse */ export interface ApiReadArtifactResponse { /** * The bytes of the artifact content. * @type {string} * @memberof ApiReadArtifactResponse */ data?: string; } /** * * @export * @enum {string} */ export enum ApiRelationship { UNKNOWNRELATIONSHIP = <any>'UNKNOWN_RELATIONSHIP', OWNER = <any>'OWNER', CREATOR = <any>'CREATOR', } /** * * @export * @interface ApiReportRunMetricsRequest */ export interface ApiReportRunMetricsRequest { /** * Required. The parent run ID of the metric. * @type {string} * @memberof ApiReportRunMetricsRequest */ run_id?: string; /** * List of metrics to report. * @type {Array<ApiRunMetric>} * @memberof ApiReportRunMetricsRequest */ metrics?: Array<ApiRunMetric>; } /** * * @export * @interface ApiReportRunMetricsResponse */ export interface ApiReportRunMetricsResponse { /** * * @type {Array<ReportRunMetricsResponseReportRunMetricResult>} * @memberof ApiReportRunMetricsResponse */ results?: Array<ReportRunMetricsResponseReportRunMetricResult>; } /** * * @export * @interface ApiResourceKey */ export interface ApiResourceKey { /** * The type of the resource that referred to. * @type {ApiResourceType} * @memberof ApiResourceKey */ type?: ApiResourceType; /** * The ID of the resource that referred to. * @type {string} * @memberof ApiResourceKey */ id?: string; } /** * * @export * @interface ApiResourceReference */ export interface ApiResourceReference { /** * * @type {ApiResourceKey} * @memberof ApiResourceReference */ key?: ApiResourceKey; /** * The name of the resource that referred to. * @type {string} * @memberof ApiResourceReference */ name?: string; /** * Required field. The relationship from referred resource to the object. * @type {ApiRelationship} * @memberof ApiResourceReference */ relationship?: ApiRelationship; } /** * * @export * @enum {string} */ export enum ApiResourceType { UNKNOWNRESOURCETYPE = <any>'UNKNOWN_RESOURCE_TYPE', EXPERIMENT = <any>'EXPERIMENT', JOB = <any>'JOB', PIPELINE = <any>'PIPELINE', PIPELINEVERSION = <any>'PIPELINE_VERSION', NAMESPACE = <any>'NAMESPACE', } /** * * @export * @interface ApiRun */ export interface ApiRun { /** * Output. Unique run ID. Generated by API server. * @type {string} * @memberof ApiRun */ id?: string; /** * Required input field. Name provided by user, or auto generated if run is created by scheduled job. Not unique. * @type {string} * @memberof ApiRun */ name?: string; /** * * @type {RunStorageState} * @memberof ApiRun */ storage_state?: RunStorageState; /** * * @type {string} * @memberof ApiRun */ description?: string; /** * Required input field. Describing what the pipeline manifest and parameters to use for the run. * @type {ApiPipelineSpec} * @memberof ApiRun */ pipeline_spec?: ApiPipelineSpec; /** * Optional input field. Specify which resource this run belongs to. * @type {Array<ApiResourceReference>} * @memberof ApiRun */ resource_references?: Array<ApiResourceReference>; /** * Optional input field. Specify which Kubernetes service account this run uses. * @type {string} * @memberof ApiRun */ service_account?: string; /** * Output. The time that the run created. * @type {Date} * @memberof ApiRun */ created_at?: Date; /** * Output. When this run is scheduled to run. This could be different from created_at. For example, if a run is from a backfilling job that was supposed to run 2 month ago, the scheduled_at is 2 month ago, v.s. created_at is the current time. * @type {Date} * @memberof ApiRun */ scheduled_at?: Date; /** * Output. The time this run is finished. * @type {Date} * @memberof ApiRun */ finished_at?: Date; /** * * @type {string} * @memberof ApiRun */ status?: string; /** * In case any error happens retrieving a run field, only run ID and the error message is returned. Client has the flexibility of choosing how to handle error. This is especially useful during listing call. * @type {string} * @memberof ApiRun */ error?: string; /** * Output. The metrics of the run. The metrics are reported by ReportMetrics API. * @type {Array<ApiRunMetric>} * @memberof ApiRun */ metrics?: Array<ApiRunMetric>; } /** * * @export * @interface ApiRunDetail */ export interface ApiRunDetail { /** * * @type {ApiRun} * @memberof ApiRunDetail */ run?: ApiRun; /** * * @type {ApiPipelineRuntime} * @memberof ApiRunDetail */ pipeline_runtime?: ApiPipelineRuntime; } /** * * @export * @interface ApiRunMetric */ export interface ApiRunMetric { /** * Required. The user defined name of the metric. It must between 1 and 63 characters long and must conform to the following regular expression: `[a-z]([-a-z0-9]*[a-z0-9])?`. * @type {string} * @memberof ApiRunMetric */ name?: string; /** * Required. The runtime node ID which reports the metric. The node ID can be found in the RunDetail.workflow.Status. Metric with same (node_id, name) are considerd as duplicate. Only the first reporting will be recorded. Max length is 128. * @type {string} * @memberof ApiRunMetric */ node_id?: string; /** * The number value of the metric. * @type {number} * @memberof ApiRunMetric */ number_value?: number; /** * The display format of metric. * @type {RunMetricFormat} * @memberof ApiRunMetric */ format?: RunMetricFormat; } /** * * @export * @interface ApiStatus */ export interface ApiStatus { /** * * @type {string} * @memberof ApiStatus */ error?: string; /** * * @type {number} * @memberof ApiStatus */ code?: number; /** * * @type {Array<ProtobufAny>} * @memberof ApiStatus */ details?: Array<ProtobufAny>; } /** * `Any` contains an arbitrary serialized protocol buffer message along with a URL that describes the type of the serialized message. Protobuf library provides support to pack/unpack Any values in the form of utility functions or additional generated methods of the Any type. Example 1: Pack and unpack a message in C++. Foo foo = ...; Any any; any.PackFrom(foo); ... if (any.UnpackTo(&foo)) { ... } Example 2: Pack and unpack a message in Java. Foo foo = ...; Any any = Any.pack(foo); ... if (any.is(Foo.class)) { foo = any.unpack(Foo.class); } Example 3: Pack and unpack a message in Python. foo = Foo(...) any = Any() any.Pack(foo) ... if any.Is(Foo.DESCRIPTOR): any.Unpack(foo) ... Example 4: Pack and unpack a message in Go foo := &pb.Foo{...} any, err := ptypes.MarshalAny(foo) ... foo := &pb.Foo{} if err := ptypes.UnmarshalAny(any, foo); err != nil { ... } The pack methods provided by protobuf library will by default use 'type.googleapis.com/full.type.name' as the type URL and the unpack methods only use the fully qualified type name after the last '/' in the type URL, for example \"foo.bar.com/x/y.z\" will yield type name \"y.z\". JSON ==== The JSON representation of an `Any` value uses the regular representation of the deserialized, embedded message, with an additional field `@type` which contains the type URL. Example: package google.profile; message Person { string first_name = 1; string last_name = 2; } { \"@type\": \"type.googleapis.com/google.profile.Person\", \"firstName\": <string>, \"lastName\": <string> } If the embedded message type is well-known and has a custom JSON representation, that representation will be embedded adding a field `value` which holds the custom JSON in addition to the `@type` field. Example (for message [google.protobuf.Duration][]): { \"@type\": \"type.googleapis.com/google.protobuf.Duration\", \"value\": \"1.212s\" } * @export * @interface ProtobufAny */ export interface ProtobufAny { /** * A URL/resource name that uniquely identifies the type of the serialized protocol buffer message. The last segment of the URL's path must represent the fully qualified name of the type (as in `path/google.protobuf.Duration`). The name should be in a canonical form (e.g., leading \".\" is not accepted). In practice, teams usually precompile into the binary all types that they expect it to use in the context of Any. However, for URLs which use the scheme `http`, `https`, or no scheme, one can optionally set up a type server that maps type URLs to message definitions as follows: * If no scheme is provided, `https` is assumed. * An HTTP GET on the URL must yield a [google.protobuf.Type][] value in binary format, or produce an error. * Applications are allowed to cache lookup results based on the URL, or have them precompiled into a binary to avoid any lookup. Therefore, binary compatibility needs to be preserved on changes to types. (Use versioned type names to manage breaking changes.) Note: this functionality is not currently available in the official protobuf release, and it is not used for type URLs beginning with type.googleapis.com. Schemes other than `http`, `https` (or the empty scheme) might be used with implementation specific semantics. * @type {string} * @memberof ProtobufAny */ type_url?: string; /** * Must be a valid serialized protocol buffer of the above specified type. * @type {string} * @memberof ProtobufAny */ value?: string; } /** * * @export * @interface ReportRunMetricsResponseReportRunMetricResult */ export interface ReportRunMetricsResponseReportRunMetricResult { /** * Output. The name of the metric. * @type {string} * @memberof ReportRunMetricsResponseReportRunMetricResult */ metric_name?: string; /** * Output. The ID of the node which reports the metric. * @type {string} * @memberof ReportRunMetricsResponseReportRunMetricResult */ metric_node_id?: string; /** * Output. The status of the metric reporting. * @type {ReportRunMetricsResponseReportRunMetricResultStatus} * @memberof ReportRunMetricsResponseReportRunMetricResult */ status?: ReportRunMetricsResponseReportRunMetricResultStatus; /** * Output. The detailed message of the error of the reporting. * @type {string} * @memberof ReportRunMetricsResponseReportRunMetricResult */ message?: string; } /** * - UNSPECIFIED: Default value if not present. - OK: Indicates successful reporting. - INVALID_ARGUMENT: Indicates that the payload of the metric is invalid. - DUPLICATE_REPORTING: Indicates that the metric has been reported before. - INTERNAL_ERROR: Indicates that something went wrong in the server. * @export * @enum {string} */ export enum ReportRunMetricsResponseReportRunMetricResultStatus { UNSPECIFIED = <any>'UNSPECIFIED', OK = <any>'OK', INVALIDARGUMENT = <any>'INVALID_ARGUMENT', DUPLICATEREPORTING = <any>'DUPLICATE_REPORTING', INTERNALERROR = <any>'INTERNAL_ERROR', } /** * - UNSPECIFIED: Default value if not present. - RAW: Display value as its raw format. - PERCENTAGE: Display value in percentage format. * @export * @enum {string} */ export enum RunMetricFormat { UNSPECIFIED = <any>'UNSPECIFIED', RAW = <any>'RAW', PERCENTAGE = <any>'PERCENTAGE', } /** * * @export * @enum {string} */ export enum RunStorageState { AVAILABLE = <any>'STORAGESTATE_AVAILABLE', ARCHIVED = <any>'STORAGESTATE_ARCHIVED', } /** * RunServiceApi - fetch parameter creator * @export */ export const RunServiceApiFetchParamCreator = function(configuration?: Configuration) { return { /** * * @summary Archive a run. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ archiveRun(id: string, options: any = {}): FetchArgs { // verify required parameter 'id' is not null or undefined if (id === null || id === undefined) { throw new RequiredError( 'id', 'Required parameter id was null or undefined when calling archiveRun.', ); } const localVarPath = `/apis/v1beta1/runs/{id}:archive`.replace( `{${'id'}}`, encodeURIComponent(String(id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'POST' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Create a new run. * @param {ApiRun} body * @param {*} [options] Override http request option. * @throws {RequiredError} */ createRun(body: ApiRun, options: any = {}): FetchArgs { // verify required parameter 'body' is not null or undefined if (body === null || body === undefined) { throw new RequiredError( 'body', 'Required parameter body was null or undefined when calling createRun.', ); } const localVarPath = `/apis/v1beta1/runs`; const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'POST' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarHeaderParameter['Content-Type'] = 'application/json'; localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); const needsSerialization = <any>'ApiRun' !== 'string' || localVarRequestOptions.headers['Content-Type'] === 'application/json'; localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : body || ''; return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Delete a run. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ deleteRun(id: string, options: any = {}): FetchArgs { // verify required parameter 'id' is not null or undefined if (id === null || id === undefined) { throw new RequiredError( 'id', 'Required parameter id was null or undefined when calling deleteRun.', ); } const localVarPath = `/apis/v1beta1/runs/{id}`.replace( `{${'id'}}`, encodeURIComponent(String(id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'DELETE' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Find a specific run by ID. * @param {string} run_id * @param {*} [options] Override http request option. * @throws {RequiredError} */ getRun(run_id: string, options: any = {}): FetchArgs { // verify required parameter 'run_id' is not null or undefined if (run_id === null || run_id === undefined) { throw new RequiredError( 'run_id', 'Required parameter run_id was null or undefined when calling getRun.', ); } const localVarPath = `/apis/v1beta1/runs/{run_id}`.replace( `{${'run_id'}}`, encodeURIComponent(String(run_id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'GET' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Find all runs. * @param {string} [page_token] * @param {number} [page_size] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot; (Example, \&quot;name asc\&quot; or \&quot;id des\&quot;). Ascending by default. * @param {'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE'} [resource_reference_key_type] The type of the resource that referred to. * @param {string} [resource_reference_key_id] The ID of the resource that referred to. * @param {string} [filter] A url-encoded, JSON-serialized Filter protocol buffer (see [filter.proto](https://github.com/kubeflow/pipelines/ blob/master/backend/api/filter.proto)). * @param {*} [options] Override http request option. * @throws {RequiredError} */ listRuns( page_token?: string, page_size?: number, sort_by?: string, resource_reference_key_type?: | 'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE', resource_reference_key_id?: string, filter?: string, options: any = {}, ): FetchArgs { const localVarPath = `/apis/v1beta1/runs`; const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'GET' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } if (page_token !== undefined) { localVarQueryParameter['page_token'] = page_token; } if (page_size !== undefined) { localVarQueryParameter['page_size'] = page_size; } if (sort_by !== undefined) { localVarQueryParameter['sort_by'] = sort_by; } if (resource_reference_key_type !== undefined) { localVarQueryParameter['resource_reference_key.type'] = resource_reference_key_type; } if (resource_reference_key_id !== undefined) { localVarQueryParameter['resource_reference_key.id'] = resource_reference_key_id; } if (filter !== undefined) { localVarQueryParameter['filter'] = filter; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Find a run's artifact data. * @param {string} run_id The ID of the run. * @param {string} node_id The ID of the running node. * @param {string} artifact_name The name of the artifact. * @param {*} [options] Override http request option. * @throws {RequiredError} */ readArtifact( run_id: string, node_id: string, artifact_name: string, options: any = {}, ): FetchArgs { // verify required parameter 'run_id' is not null or undefined if (run_id === null || run_id === undefined) { throw new RequiredError( 'run_id', 'Required parameter run_id was null or undefined when calling readArtifact.', ); } // verify required parameter 'node_id' is not null or undefined if (node_id === null || node_id === undefined) { throw new RequiredError( 'node_id', 'Required parameter node_id was null or undefined when calling readArtifact.', ); } // verify required parameter 'artifact_name' is not null or undefined if (artifact_name === null || artifact_name === undefined) { throw new RequiredError( 'artifact_name', 'Required parameter artifact_name was null or undefined when calling readArtifact.', ); } const localVarPath = `/apis/v1beta1/runs/{run_id}/nodes/{node_id}/artifacts/{artifact_name}:read` .replace(`{${'run_id'}}`, encodeURIComponent(String(run_id))) .replace(`{${'node_id'}}`, encodeURIComponent(String(node_id))) .replace(`{${'artifact_name'}}`, encodeURIComponent(String(artifact_name))); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'GET' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary ReportRunMetrics reports metrics of a run. Each metric is reported in its own transaction, so this API accepts partial failures. Metric can be uniquely identified by (run_id, node_id, name). Duplicate reporting will be ignored by the API. First reporting wins. * @param {string} run_id Required. The parent run ID of the metric. * @param {ApiReportRunMetricsRequest} body * @param {*} [options] Override http request option. * @throws {RequiredError} */ reportRunMetrics( run_id: string, body: ApiReportRunMetricsRequest, options: any = {}, ): FetchArgs { // verify required parameter 'run_id' is not null or undefined if (run_id === null || run_id === undefined) { throw new RequiredError( 'run_id', 'Required parameter run_id was null or undefined when calling reportRunMetrics.', ); } // verify required parameter 'body' is not null or undefined if (body === null || body === undefined) { throw new RequiredError( 'body', 'Required parameter body was null or undefined when calling reportRunMetrics.', ); } const localVarPath = `/apis/v1beta1/runs/{run_id}:reportMetrics`.replace( `{${'run_id'}}`, encodeURIComponent(String(run_id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'POST' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarHeaderParameter['Content-Type'] = 'application/json'; localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); const needsSerialization = <any>'ApiReportRunMetricsRequest' !== 'string' || localVarRequestOptions.headers['Content-Type'] === 'application/json'; localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : body || ''; return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Re-initiate a failed or terminated run. * @param {string} run_id * @param {*} [options] Override http request option. * @throws {RequiredError} */ retryRun(run_id: string, options: any = {}): FetchArgs { // verify required parameter 'run_id' is not null or undefined if (run_id === null || run_id === undefined) { throw new RequiredError( 'run_id', 'Required parameter run_id was null or undefined when calling retryRun.', ); } const localVarPath = `/apis/v1beta1/runs/{run_id}/retry`.replace( `{${'run_id'}}`, encodeURIComponent(String(run_id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'POST' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Terminate an active run. * @param {string} run_id * @param {*} [options] Override http request option. * @throws {RequiredError} */ terminateRun(run_id: string, options: any = {}): FetchArgs { // verify required parameter 'run_id' is not null or undefined if (run_id === null || run_id === undefined) { throw new RequiredError( 'run_id', 'Required parameter run_id was null or undefined when calling terminateRun.', ); } const localVarPath = `/apis/v1beta1/runs/{run_id}/terminate`.replace( `{${'run_id'}}`, encodeURIComponent(String(run_id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'POST' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Restore an archived run. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ unarchiveRun(id: string, options: any = {}): FetchArgs { // verify required parameter 'id' is not null or undefined if (id === null || id === undefined) { throw new RequiredError( 'id', 'Required parameter id was null or undefined when calling unarchiveRun.', ); } const localVarPath = `/apis/v1beta1/runs/{id}:unarchive`.replace( `{${'id'}}`, encodeURIComponent(String(id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'POST' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, }; }; /** * RunServiceApi - functional programming interface * @export */ export const RunServiceApiFp = function(configuration?: Configuration) { return { /** * * @summary Archive a run. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ archiveRun(id: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise<any> { const localVarFetchArgs = RunServiceApiFetchParamCreator(configuration).archiveRun( id, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Create a new run. * @param {ApiRun} body * @param {*} [options] Override http request option. * @throws {RequiredError} */ createRun( body: ApiRun, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiRunDetail> { const localVarFetchArgs = RunServiceApiFetchParamCreator(configuration).createRun( body, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Delete a run. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ deleteRun(id: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise<any> { const localVarFetchArgs = RunServiceApiFetchParamCreator(configuration).deleteRun( id, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Find a specific run by ID. * @param {string} run_id * @param {*} [options] Override http request option. * @throws {RequiredError} */ getRun( run_id: string, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiRunDetail> { const localVarFetchArgs = RunServiceApiFetchParamCreator(configuration).getRun( run_id, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Find all runs. * @param {string} [page_token] * @param {number} [page_size] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot; (Example, \&quot;name asc\&quot; or \&quot;id des\&quot;). Ascending by default. * @param {'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE'} [resource_reference_key_type] The type of the resource that referred to. * @param {string} [resource_reference_key_id] The ID of the resource that referred to. * @param {string} [filter] A url-encoded, JSON-serialized Filter protocol buffer (see [filter.proto](https://github.com/kubeflow/pipelines/ blob/master/backend/api/filter.proto)). * @param {*} [options] Override http request option. * @throws {RequiredError} */ listRuns( page_token?: string, page_size?: number, sort_by?: string, resource_reference_key_type?: | 'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE', resource_reference_key_id?: string, filter?: string, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiListRunsResponse> { const localVarFetchArgs = RunServiceApiFetchParamCreator(configuration).listRuns( page_token, page_size, sort_by, resource_reference_key_type, resource_reference_key_id, filter, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Find a run's artifact data. * @param {string} run_id The ID of the run. * @param {string} node_id The ID of the running node. * @param {string} artifact_name The name of the artifact. * @param {*} [options] Override http request option. * @throws {RequiredError} */ readArtifact( run_id: string, node_id: string, artifact_name: string, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiReadArtifactResponse> { const localVarFetchArgs = RunServiceApiFetchParamCreator(configuration).readArtifact( run_id, node_id, artifact_name, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary ReportRunMetrics reports metrics of a run. Each metric is reported in its own transaction, so this API accepts partial failures. Metric can be uniquely identified by (run_id, node_id, name). Duplicate reporting will be ignored by the API. First reporting wins. * @param {string} run_id Required. The parent run ID of the metric. * @param {ApiReportRunMetricsRequest} body * @param {*} [options] Override http request option. * @throws {RequiredError} */ reportRunMetrics( run_id: string, body: ApiReportRunMetricsRequest, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiReportRunMetricsResponse> { const localVarFetchArgs = RunServiceApiFetchParamCreator(configuration).reportRunMetrics( run_id, body, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Re-initiate a failed or terminated run. * @param {string} run_id * @param {*} [options] Override http request option. * @throws {RequiredError} */ retryRun(run_id: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise<any> { const localVarFetchArgs = RunServiceApiFetchParamCreator(configuration).retryRun( run_id, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Terminate an active run. * @param {string} run_id * @param {*} [options] Override http request option. * @throws {RequiredError} */ terminateRun( run_id: string, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<any> { const localVarFetchArgs = RunServiceApiFetchParamCreator(configuration).terminateRun( run_id, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Restore an archived run. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ unarchiveRun(id: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise<any> { const localVarFetchArgs = RunServiceApiFetchParamCreator(configuration).unarchiveRun( id, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, }; }; /** * RunServiceApi - factory interface * @export */ export const RunServiceApiFactory = function( configuration?: Configuration, fetch?: FetchAPI, basePath?: string, ) { return { /** * * @summary Archive a run. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ archiveRun(id: string, options?: any) { return RunServiceApiFp(configuration).archiveRun(id, options)(fetch, basePath); }, /** * * @summary Create a new run. * @param {ApiRun} body * @param {*} [options] Override http request option. * @throws {RequiredError} */ createRun(body: ApiRun, options?: any) { return RunServiceApiFp(configuration).createRun(body, options)(fetch, basePath); }, /** * * @summary Delete a run. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ deleteRun(id: string, options?: any) { return RunServiceApiFp(configuration).deleteRun(id, options)(fetch, basePath); }, /** * * @summary Find a specific run by ID. * @param {string} run_id * @param {*} [options] Override http request option. * @throws {RequiredError} */ getRun(run_id: string, options?: any) { return RunServiceApiFp(configuration).getRun(run_id, options)(fetch, basePath); }, /** * * @summary Find all runs. * @param {string} [page_token] * @param {number} [page_size] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot; (Example, \&quot;name asc\&quot; or \&quot;id des\&quot;). Ascending by default. * @param {'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE'} [resource_reference_key_type] The type of the resource that referred to. * @param {string} [resource_reference_key_id] The ID of the resource that referred to. * @param {string} [filter] A url-encoded, JSON-serialized Filter protocol buffer (see [filter.proto](https://github.com/kubeflow/pipelines/ blob/master/backend/api/filter.proto)). * @param {*} [options] Override http request option. * @throws {RequiredError} */ listRuns( page_token?: string, page_size?: number, sort_by?: string, resource_reference_key_type?: | 'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE', resource_reference_key_id?: string, filter?: string, options?: any, ) { return RunServiceApiFp(configuration).listRuns( page_token, page_size, sort_by, resource_reference_key_type, resource_reference_key_id, filter, options, )(fetch, basePath); }, /** * * @summary Find a run's artifact data. * @param {string} run_id The ID of the run. * @param {string} node_id The ID of the running node. * @param {string} artifact_name The name of the artifact. * @param {*} [options] Override http request option. * @throws {RequiredError} */ readArtifact(run_id: string, node_id: string, artifact_name: string, options?: any) { return RunServiceApiFp(configuration).readArtifact( run_id, node_id, artifact_name, options, )(fetch, basePath); }, /** * * @summary ReportRunMetrics reports metrics of a run. Each metric is reported in its own transaction, so this API accepts partial failures. Metric can be uniquely identified by (run_id, node_id, name). Duplicate reporting will be ignored by the API. First reporting wins. * @param {string} run_id Required. The parent run ID of the metric. * @param {ApiReportRunMetricsRequest} body * @param {*} [options] Override http request option. * @throws {RequiredError} */ reportRunMetrics(run_id: string, body: ApiReportRunMetricsRequest, options?: any) { return RunServiceApiFp(configuration).reportRunMetrics( run_id, body, options, )(fetch, basePath); }, /** * * @summary Re-initiate a failed or terminated run. * @param {string} run_id * @param {*} [options] Override http request option. * @throws {RequiredError} */ retryRun(run_id: string, options?: any) { return RunServiceApiFp(configuration).retryRun(run_id, options)(fetch, basePath); }, /** * * @summary Terminate an active run. * @param {string} run_id * @param {*} [options] Override http request option. * @throws {RequiredError} */ terminateRun(run_id: string, options?: any) { return RunServiceApiFp(configuration).terminateRun(run_id, options)(fetch, basePath); }, /** * * @summary Restore an archived run. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ unarchiveRun(id: string, options?: any) { return RunServiceApiFp(configuration).unarchiveRun(id, options)(fetch, basePath); }, }; }; /** * RunServiceApi - object-oriented interface * @export * @class RunServiceApi * @extends {BaseAPI} */ export class RunServiceApi extends BaseAPI { /** * * @summary Archive a run. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof RunServiceApi */ public archiveRun(id: string, options?: any) { return RunServiceApiFp(this.configuration).archiveRun(id, options)(this.fetch, this.basePath); } /** * * @summary Create a new run. * @param {ApiRun} body * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof RunServiceApi */ public createRun(body: ApiRun, options?: any) { return RunServiceApiFp(this.configuration).createRun(body, options)(this.fetch, this.basePath); } /** * * @summary Delete a run. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof RunServiceApi */ public deleteRun(id: string, options?: any) { return RunServiceApiFp(this.configuration).deleteRun(id, options)(this.fetch, this.basePath); } /** * * @summary Find a specific run by ID. * @param {string} run_id * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof RunServiceApi */ public getRun(run_id: string, options?: any) { return RunServiceApiFp(this.configuration).getRun(run_id, options)(this.fetch, this.basePath); } /** * * @summary Find all runs. * @param {string} [page_token] * @param {number} [page_size] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot; (Example, \&quot;name asc\&quot; or \&quot;id des\&quot;). Ascending by default. * @param {'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE'} [resource_reference_key_type] The type of the resource that referred to. * @param {string} [resource_reference_key_id] The ID of the resource that referred to. * @param {string} [filter] A url-encoded, JSON-serialized Filter protocol buffer (see [filter.proto](https://github.com/kubeflow/pipelines/ blob/master/backend/api/filter.proto)). * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof RunServiceApi */ public listRuns( page_token?: string, page_size?: number, sort_by?: string, resource_reference_key_type?: | 'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE', resource_reference_key_id?: string, filter?: string, options?: any, ) { return RunServiceApiFp(this.configuration).listRuns( page_token, page_size, sort_by, resource_reference_key_type, resource_reference_key_id, filter, options, )(this.fetch, this.basePath); } /** * * @summary Find a run's artifact data. * @param {string} run_id The ID of the run. * @param {string} node_id The ID of the running node. * @param {string} artifact_name The name of the artifact. * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof RunServiceApi */ public readArtifact(run_id: string, node_id: string, artifact_name: string, options?: any) { return RunServiceApiFp(this.configuration).readArtifact( run_id, node_id, artifact_name, options, )(this.fetch, this.basePath); } /** * * @summary ReportRunMetrics reports metrics of a run. Each metric is reported in its own transaction, so this API accepts partial failures. Metric can be uniquely identified by (run_id, node_id, name). Duplicate reporting will be ignored by the API. First reporting wins. * @param {string} run_id Required. The parent run ID of the metric. * @param {ApiReportRunMetricsRequest} body * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof RunServiceApi */ public reportRunMetrics(run_id: string, body: ApiReportRunMetricsRequest, options?: any) { return RunServiceApiFp(this.configuration).reportRunMetrics( run_id, body, options, )(this.fetch, this.basePath); } /** * * @summary Re-initiate a failed or terminated run. * @param {string} run_id * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof RunServiceApi */ public retryRun(run_id: string, options?: any) { return RunServiceApiFp(this.configuration).retryRun(run_id, options)(this.fetch, this.basePath); } /** * * @summary Terminate an active run. * @param {string} run_id * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof RunServiceApi */ public terminateRun(run_id: string, options?: any) { return RunServiceApiFp(this.configuration).terminateRun(run_id, options)( this.fetch, this.basePath, ); } /** * * @summary Restore an archived run. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof RunServiceApi */ public unarchiveRun(id: string, options?: any) { return RunServiceApiFp(this.configuration).unarchiveRun(id, options)(this.fetch, this.basePath); } }
7,854
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/run/.swagger-codegen-ignore
# Swagger Codegen Ignore # Generated by swagger-codegen https://github.com/swagger-api/swagger-codegen # Use this file to prevent files from being overwritten by the generator. # The patterns follow closely to .gitignore or .dockerignore. # As an example, the C# client generator defines ApiClient.cs. # You can make changes and tell Swagger Codgen to ignore just this file by uncommenting the following line: #ApiClient.cs # You can match any string of characters against a directory, file or extension with a single asterisk (*): #foo/*/qux # The above matches foo/bar/qux and foo/baz/qux, but not foo/bar/baz/qux # You can recursively match patterns against a directory, file or extension with a double asterisk (**): #foo/**/qux # This matches foo/bar/qux, foo/baz/qux, and foo/bar/baz/qux # You can also negate patterns with an exclamation (!). # For example, you can ignore all files in a docs folder with the file extension .md: #docs/*.md # Then explicitly reverse the ignore rule for a single file: #!docs/README.md # Ignore .gitignore .gitignore
7,855
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/run/index.ts
// tslint:disable /** * backend/api/run.proto * No description provided (generated by Swagger Codegen https://github.com/swagger-api/swagger-codegen) * * OpenAPI spec version: version not set * * * NOTE: This class is auto generated by the swagger code generator program. * https://github.com/swagger-api/swagger-codegen.git * Do not edit the class manually. */ export * from './api'; export * from './configuration';
7,856
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/run/custom.d.ts
declare module 'portable-fetch'; declare module 'url';
7,857
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/run/configuration.ts
// tslint:disable /** * backend/api/run.proto * No description provided (generated by Swagger Codegen https://github.com/swagger-api/swagger-codegen) * * OpenAPI spec version: version not set * * * NOTE: This class is auto generated by the swagger code generator program. * https://github.com/swagger-api/swagger-codegen.git * Do not edit the class manually. */ export interface ConfigurationParameters { apiKey?: string | ((name: string) => string); username?: string; password?: string; accessToken?: string | ((name: string, scopes?: string[]) => string); basePath?: string; } export class Configuration { /** * parameter for apiKey security * @param name security name * @memberof Configuration */ apiKey?: string | ((name: string) => string); /** * parameter for basic security * * @type {string} * @memberof Configuration */ username?: string; /** * parameter for basic security * * @type {string} * @memberof Configuration */ password?: string; /** * parameter for oauth2 security * @param name security name * @param scopes oauth2 scope * @memberof Configuration */ accessToken?: string | ((name: string, scopes?: string[]) => string); /** * override base path * * @type {string} * @memberof Configuration */ basePath?: string; constructor(param: ConfigurationParameters = {}) { this.apiKey = param.apiKey; this.username = param.username; this.password = param.password; this.accessToken = param.accessToken; this.basePath = param.basePath; } }
7,858
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/run
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/run/.swagger-codegen/VERSION
2.4.7
7,859
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/job/api.ts
/// <reference path="./custom.d.ts" /> // tslint:disable /** * backend/api/job.proto * No description provided (generated by Swagger Codegen https://github.com/swagger-api/swagger-codegen) * * OpenAPI spec version: version not set * * * NOTE: This class is auto generated by the swagger code generator program. * https://github.com/swagger-api/swagger-codegen.git * Do not edit the class manually. */ import * as url from 'url'; import * as portableFetch from 'portable-fetch'; import { Configuration } from './configuration'; const BASE_PATH = 'http://localhost'.replace(/\/+$/, ''); /** * * @export */ export const COLLECTION_FORMATS = { csv: ',', ssv: ' ', tsv: '\t', pipes: '|', }; /** * * @export * @interface FetchAPI */ export interface FetchAPI { (url: string, init?: any): Promise<Response>; } /** * * @export * @interface FetchArgs */ export interface FetchArgs { url: string; options: any; } /** * * @export * @class BaseAPI */ export class BaseAPI { protected configuration: Configuration; constructor( configuration?: Configuration, protected basePath: string = BASE_PATH, protected fetch: FetchAPI = portableFetch, ) { if (configuration) { this.configuration = configuration; this.basePath = configuration.basePath || this.basePath; } } } /** * * @export * @class RequiredError * @extends {Error} */ export class RequiredError extends Error { name: 'RequiredError'; constructor(public field: string, msg?: string) { super(msg); } } /** * * @export * @interface ApiCronSchedule */ export interface ApiCronSchedule { /** * * @type {Date} * @memberof ApiCronSchedule */ start_time?: Date; /** * * @type {Date} * @memberof ApiCronSchedule */ end_time?: Date; /** * * @type {string} * @memberof ApiCronSchedule */ cron?: string; } /** * * @export * @interface ApiJob */ export interface ApiJob { /** * Output. Unique run ID. Generated by API server. * @type {string} * @memberof ApiJob */ id?: string; /** * Required input field. Job name provided by user. Not unique. * @type {string} * @memberof ApiJob */ name?: string; /** * * @type {string} * @memberof ApiJob */ description?: string; /** * Required input field. Describing what the pipeline manifest and parameters to use for the scheduled job. * @type {ApiPipelineSpec} * @memberof ApiJob */ pipeline_spec?: ApiPipelineSpec; /** * Optional input field. Specify which resource this job belongs to. * @type {Array<ApiResourceReference>} * @memberof ApiJob */ resource_references?: Array<ApiResourceReference>; /** * Optional input field. Specify which Kubernetes service account this job uses. * @type {string} * @memberof ApiJob */ service_account?: string; /** * * @type {string} * @memberof ApiJob */ max_concurrency?: string; /** * Required input field. Specify how a run is triggered. Support cron mode or periodic mode. * @type {ApiTrigger} * @memberof ApiJob */ trigger?: ApiTrigger; /** * * @type {JobMode} * @memberof ApiJob */ mode?: JobMode; /** * Output. The time this job is created. * @type {Date} * @memberof ApiJob */ created_at?: Date; /** * Output. The last time this job is updated. * @type {Date} * @memberof ApiJob */ updated_at?: Date; /** * * @type {string} * @memberof ApiJob */ status?: string; /** * In case any error happens retrieving a job field, only job ID and the error message is returned. Client has the flexibility of choosing how to handle error. This is especially useful during listing call. * @type {string} * @memberof ApiJob */ error?: string; /** * Input. Whether the job is enabled or not. * @type {boolean} * @memberof ApiJob */ enabled?: boolean; /** * Optional input field. Whether the job should catch up if behind schedule. If true, the job will only schedule the latest interval if behind schedule. If false, the job will catch up on each past interval. * @type {boolean} * @memberof ApiJob */ no_catchup?: boolean; } /** * * @export * @interface ApiListJobsResponse */ export interface ApiListJobsResponse { /** * A list of jobs returned. * @type {Array<ApiJob>} * @memberof ApiListJobsResponse */ jobs?: Array<ApiJob>; /** * * @type {number} * @memberof ApiListJobsResponse */ total_size?: number; /** * * @type {string} * @memberof ApiListJobsResponse */ next_page_token?: string; } /** * * @export * @interface ApiParameter */ export interface ApiParameter { /** * * @type {string} * @memberof ApiParameter */ name?: string; /** * * @type {string} * @memberof ApiParameter */ value?: string; } /** * * @export * @interface ApiPeriodicSchedule */ export interface ApiPeriodicSchedule { /** * * @type {Date} * @memberof ApiPeriodicSchedule */ start_time?: Date; /** * * @type {Date} * @memberof ApiPeriodicSchedule */ end_time?: Date; /** * * @type {string} * @memberof ApiPeriodicSchedule */ interval_second?: string; } /** * * @export * @interface ApiPipelineSpec */ export interface ApiPipelineSpec { /** * Optional input field. The ID of the pipeline user uploaded before. * @type {string} * @memberof ApiPipelineSpec */ pipeline_id?: string; /** * Optional output field. The name of the pipeline. Not empty if the pipeline id is not empty. * @type {string} * @memberof ApiPipelineSpec */ pipeline_name?: string; /** * Optional input field. The marshalled raw argo JSON workflow. This will be deprecated when pipeline_manifest is in use. * @type {string} * @memberof ApiPipelineSpec */ workflow_manifest?: string; /** * Optional input field. The raw pipeline JSON spec. * @type {string} * @memberof ApiPipelineSpec */ pipeline_manifest?: string; /** * The parameter user provide to inject to the pipeline JSON. If a default value of a parameter exist in the JSON, the value user provided here will replace. * @type {Array<ApiParameter>} * @memberof ApiPipelineSpec */ parameters?: Array<ApiParameter>; } /** * * @export * @enum {string} */ export enum ApiRelationship { UNKNOWNRELATIONSHIP = <any>'UNKNOWN_RELATIONSHIP', OWNER = <any>'OWNER', CREATOR = <any>'CREATOR', } /** * * @export * @interface ApiResourceKey */ export interface ApiResourceKey { /** * The type of the resource that referred to. * @type {ApiResourceType} * @memberof ApiResourceKey */ type?: ApiResourceType; /** * The ID of the resource that referred to. * @type {string} * @memberof ApiResourceKey */ id?: string; } /** * * @export * @interface ApiResourceReference */ export interface ApiResourceReference { /** * * @type {ApiResourceKey} * @memberof ApiResourceReference */ key?: ApiResourceKey; /** * The name of the resource that referred to. * @type {string} * @memberof ApiResourceReference */ name?: string; /** * Required field. The relationship from referred resource to the object. * @type {ApiRelationship} * @memberof ApiResourceReference */ relationship?: ApiRelationship; } /** * * @export * @enum {string} */ export enum ApiResourceType { UNKNOWNRESOURCETYPE = <any>'UNKNOWN_RESOURCE_TYPE', EXPERIMENT = <any>'EXPERIMENT', JOB = <any>'JOB', PIPELINE = <any>'PIPELINE', PIPELINEVERSION = <any>'PIPELINE_VERSION', NAMESPACE = <any>'NAMESPACE', } /** * * @export * @interface ApiStatus */ export interface ApiStatus { /** * * @type {string} * @memberof ApiStatus */ error?: string; /** * * @type {number} * @memberof ApiStatus */ code?: number; /** * * @type {Array<ProtobufAny>} * @memberof ApiStatus */ details?: Array<ProtobufAny>; } /** * Trigger defines what starts a pipeline run. * @export * @interface ApiTrigger */ export interface ApiTrigger { /** * * @type {ApiCronSchedule} * @memberof ApiTrigger */ cron_schedule?: ApiCronSchedule; /** * * @type {ApiPeriodicSchedule} * @memberof ApiTrigger */ periodic_schedule?: ApiPeriodicSchedule; } /** * Required input. - DISABLED: The job won't schedule any run if disabled. * @export * @enum {string} */ export enum JobMode { UNKNOWNMODE = <any>'UNKNOWN_MODE', ENABLED = <any>'ENABLED', DISABLED = <any>'DISABLED', } /** * `Any` contains an arbitrary serialized protocol buffer message along with a URL that describes the type of the serialized message. Protobuf library provides support to pack/unpack Any values in the form of utility functions or additional generated methods of the Any type. Example 1: Pack and unpack a message in C++. Foo foo = ...; Any any; any.PackFrom(foo); ... if (any.UnpackTo(&foo)) { ... } Example 2: Pack and unpack a message in Java. Foo foo = ...; Any any = Any.pack(foo); ... if (any.is(Foo.class)) { foo = any.unpack(Foo.class); } Example 3: Pack and unpack a message in Python. foo = Foo(...) any = Any() any.Pack(foo) ... if any.Is(Foo.DESCRIPTOR): any.Unpack(foo) ... Example 4: Pack and unpack a message in Go foo := &pb.Foo{...} any, err := ptypes.MarshalAny(foo) ... foo := &pb.Foo{} if err := ptypes.UnmarshalAny(any, foo); err != nil { ... } The pack methods provided by protobuf library will by default use 'type.googleapis.com/full.type.name' as the type URL and the unpack methods only use the fully qualified type name after the last '/' in the type URL, for example \"foo.bar.com/x/y.z\" will yield type name \"y.z\". JSON ==== The JSON representation of an `Any` value uses the regular representation of the deserialized, embedded message, with an additional field `@type` which contains the type URL. Example: package google.profile; message Person { string first_name = 1; string last_name = 2; } { \"@type\": \"type.googleapis.com/google.profile.Person\", \"firstName\": <string>, \"lastName\": <string> } If the embedded message type is well-known and has a custom JSON representation, that representation will be embedded adding a field `value` which holds the custom JSON in addition to the `@type` field. Example (for message [google.protobuf.Duration][]): { \"@type\": \"type.googleapis.com/google.protobuf.Duration\", \"value\": \"1.212s\" } * @export * @interface ProtobufAny */ export interface ProtobufAny { /** * A URL/resource name that uniquely identifies the type of the serialized protocol buffer message. The last segment of the URL's path must represent the fully qualified name of the type (as in `path/google.protobuf.Duration`). The name should be in a canonical form (e.g., leading \".\" is not accepted). In practice, teams usually precompile into the binary all types that they expect it to use in the context of Any. However, for URLs which use the scheme `http`, `https`, or no scheme, one can optionally set up a type server that maps type URLs to message definitions as follows: * If no scheme is provided, `https` is assumed. * An HTTP GET on the URL must yield a [google.protobuf.Type][] value in binary format, or produce an error. * Applications are allowed to cache lookup results based on the URL, or have them precompiled into a binary to avoid any lookup. Therefore, binary compatibility needs to be preserved on changes to types. (Use versioned type names to manage breaking changes.) Note: this functionality is not currently available in the official protobuf release, and it is not used for type URLs beginning with type.googleapis.com. Schemes other than `http`, `https` (or the empty scheme) might be used with implementation specific semantics. * @type {string} * @memberof ProtobufAny */ type_url?: string; /** * Must be a valid serialized protocol buffer of the above specified type. * @type {string} * @memberof ProtobufAny */ value?: string; } /** * JobServiceApi - fetch parameter creator * @export */ export const JobServiceApiFetchParamCreator = function(configuration?: Configuration) { return { /** * * @summary Create a new job. * @param {ApiJob} body The job to be created * @param {*} [options] Override http request option. * @throws {RequiredError} */ createJob(body: ApiJob, options: any = {}): FetchArgs { // verify required parameter 'body' is not null or undefined if (body === null || body === undefined) { throw new RequiredError( 'body', 'Required parameter body was null or undefined when calling createJob.', ); } const localVarPath = `/apis/v1beta1/jobs`; const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'POST' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarHeaderParameter['Content-Type'] = 'application/json'; localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); const needsSerialization = <any>'ApiJob' !== 'string' || localVarRequestOptions.headers['Content-Type'] === 'application/json'; localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : body || ''; return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Delete a job. * @param {string} id The ID of the job to be deleted * @param {*} [options] Override http request option. * @throws {RequiredError} */ deleteJob(id: string, options: any = {}): FetchArgs { // verify required parameter 'id' is not null or undefined if (id === null || id === undefined) { throw new RequiredError( 'id', 'Required parameter id was null or undefined when calling deleteJob.', ); } const localVarPath = `/apis/v1beta1/jobs/{id}`.replace( `{${'id'}}`, encodeURIComponent(String(id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'DELETE' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Stops a job and all its associated runs. The job is not deleted. * @param {string} id The ID of the job to be disabled * @param {*} [options] Override http request option. * @throws {RequiredError} */ disableJob(id: string, options: any = {}): FetchArgs { // verify required parameter 'id' is not null or undefined if (id === null || id === undefined) { throw new RequiredError( 'id', 'Required parameter id was null or undefined when calling disableJob.', ); } const localVarPath = `/apis/v1beta1/jobs/{id}/disable`.replace( `{${'id'}}`, encodeURIComponent(String(id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'POST' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Restarts a job that was previously stopped. All runs associated with the job will continue. * @param {string} id The ID of the job to be enabled * @param {*} [options] Override http request option. * @throws {RequiredError} */ enableJob(id: string, options: any = {}): FetchArgs { // verify required parameter 'id' is not null or undefined if (id === null || id === undefined) { throw new RequiredError( 'id', 'Required parameter id was null or undefined when calling enableJob.', ); } const localVarPath = `/apis/v1beta1/jobs/{id}/enable`.replace( `{${'id'}}`, encodeURIComponent(String(id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'POST' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Find a specific job by ID. * @param {string} id The ID of the job to be retrieved * @param {*} [options] Override http request option. * @throws {RequiredError} */ getJob(id: string, options: any = {}): FetchArgs { // verify required parameter 'id' is not null or undefined if (id === null || id === undefined) { throw new RequiredError( 'id', 'Required parameter id was null or undefined when calling getJob.', ); } const localVarPath = `/apis/v1beta1/jobs/{id}`.replace( `{${'id'}}`, encodeURIComponent(String(id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'GET' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Find all jobs. * @param {string} [page_token] * @param {number} [page_size] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot;. Ascending by default. * @param {'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE'} [resource_reference_key_type] The type of the resource that referred to. * @param {string} [resource_reference_key_id] The ID of the resource that referred to. * @param {string} [filter] A url-encoded, JSON-serialized Filter protocol buffer (see [filter.proto](https://github.com/kubeflow/pipelines/ blob/master/backend/api/filter.proto)). * @param {*} [options] Override http request option. * @throws {RequiredError} */ listJobs( page_token?: string, page_size?: number, sort_by?: string, resource_reference_key_type?: | 'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE', resource_reference_key_id?: string, filter?: string, options: any = {}, ): FetchArgs { const localVarPath = `/apis/v1beta1/jobs`; const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'GET' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } if (page_token !== undefined) { localVarQueryParameter['page_token'] = page_token; } if (page_size !== undefined) { localVarQueryParameter['page_size'] = page_size; } if (sort_by !== undefined) { localVarQueryParameter['sort_by'] = sort_by; } if (resource_reference_key_type !== undefined) { localVarQueryParameter['resource_reference_key.type'] = resource_reference_key_type; } if (resource_reference_key_id !== undefined) { localVarQueryParameter['resource_reference_key.id'] = resource_reference_key_id; } if (filter !== undefined) { localVarQueryParameter['filter'] = filter; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, }; }; /** * JobServiceApi - functional programming interface * @export */ export const JobServiceApiFp = function(configuration?: Configuration) { return { /** * * @summary Create a new job. * @param {ApiJob} body The job to be created * @param {*} [options] Override http request option. * @throws {RequiredError} */ createJob( body: ApiJob, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiJob> { const localVarFetchArgs = JobServiceApiFetchParamCreator(configuration).createJob( body, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Delete a job. * @param {string} id The ID of the job to be deleted * @param {*} [options] Override http request option. * @throws {RequiredError} */ deleteJob(id: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise<any> { const localVarFetchArgs = JobServiceApiFetchParamCreator(configuration).deleteJob( id, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Stops a job and all its associated runs. The job is not deleted. * @param {string} id The ID of the job to be disabled * @param {*} [options] Override http request option. * @throws {RequiredError} */ disableJob(id: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise<any> { const localVarFetchArgs = JobServiceApiFetchParamCreator(configuration).disableJob( id, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Restarts a job that was previously stopped. All runs associated with the job will continue. * @param {string} id The ID of the job to be enabled * @param {*} [options] Override http request option. * @throws {RequiredError} */ enableJob(id: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise<any> { const localVarFetchArgs = JobServiceApiFetchParamCreator(configuration).enableJob( id, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Find a specific job by ID. * @param {string} id The ID of the job to be retrieved * @param {*} [options] Override http request option. * @throws {RequiredError} */ getJob(id: string, options?: any): (fetch?: FetchAPI, basePath?: string) => Promise<ApiJob> { const localVarFetchArgs = JobServiceApiFetchParamCreator(configuration).getJob(id, options); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Find all jobs. * @param {string} [page_token] * @param {number} [page_size] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot;. Ascending by default. * @param {'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE'} [resource_reference_key_type] The type of the resource that referred to. * @param {string} [resource_reference_key_id] The ID of the resource that referred to. * @param {string} [filter] A url-encoded, JSON-serialized Filter protocol buffer (see [filter.proto](https://github.com/kubeflow/pipelines/ blob/master/backend/api/filter.proto)). * @param {*} [options] Override http request option. * @throws {RequiredError} */ listJobs( page_token?: string, page_size?: number, sort_by?: string, resource_reference_key_type?: | 'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE', resource_reference_key_id?: string, filter?: string, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiListJobsResponse> { const localVarFetchArgs = JobServiceApiFetchParamCreator(configuration).listJobs( page_token, page_size, sort_by, resource_reference_key_type, resource_reference_key_id, filter, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, }; }; /** * JobServiceApi - factory interface * @export */ export const JobServiceApiFactory = function( configuration?: Configuration, fetch?: FetchAPI, basePath?: string, ) { return { /** * * @summary Create a new job. * @param {ApiJob} body The job to be created * @param {*} [options] Override http request option. * @throws {RequiredError} */ createJob(body: ApiJob, options?: any) { return JobServiceApiFp(configuration).createJob(body, options)(fetch, basePath); }, /** * * @summary Delete a job. * @param {string} id The ID of the job to be deleted * @param {*} [options] Override http request option. * @throws {RequiredError} */ deleteJob(id: string, options?: any) { return JobServiceApiFp(configuration).deleteJob(id, options)(fetch, basePath); }, /** * * @summary Stops a job and all its associated runs. The job is not deleted. * @param {string} id The ID of the job to be disabled * @param {*} [options] Override http request option. * @throws {RequiredError} */ disableJob(id: string, options?: any) { return JobServiceApiFp(configuration).disableJob(id, options)(fetch, basePath); }, /** * * @summary Restarts a job that was previously stopped. All runs associated with the job will continue. * @param {string} id The ID of the job to be enabled * @param {*} [options] Override http request option. * @throws {RequiredError} */ enableJob(id: string, options?: any) { return JobServiceApiFp(configuration).enableJob(id, options)(fetch, basePath); }, /** * * @summary Find a specific job by ID. * @param {string} id The ID of the job to be retrieved * @param {*} [options] Override http request option. * @throws {RequiredError} */ getJob(id: string, options?: any) { return JobServiceApiFp(configuration).getJob(id, options)(fetch, basePath); }, /** * * @summary Find all jobs. * @param {string} [page_token] * @param {number} [page_size] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot;. Ascending by default. * @param {'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE'} [resource_reference_key_type] The type of the resource that referred to. * @param {string} [resource_reference_key_id] The ID of the resource that referred to. * @param {string} [filter] A url-encoded, JSON-serialized Filter protocol buffer (see [filter.proto](https://github.com/kubeflow/pipelines/ blob/master/backend/api/filter.proto)). * @param {*} [options] Override http request option. * @throws {RequiredError} */ listJobs( page_token?: string, page_size?: number, sort_by?: string, resource_reference_key_type?: | 'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE', resource_reference_key_id?: string, filter?: string, options?: any, ) { return JobServiceApiFp(configuration).listJobs( page_token, page_size, sort_by, resource_reference_key_type, resource_reference_key_id, filter, options, )(fetch, basePath); }, }; }; /** * JobServiceApi - object-oriented interface * @export * @class JobServiceApi * @extends {BaseAPI} */ export class JobServiceApi extends BaseAPI { /** * * @summary Create a new job. * @param {ApiJob} body The job to be created * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof JobServiceApi */ public createJob(body: ApiJob, options?: any) { return JobServiceApiFp(this.configuration).createJob(body, options)(this.fetch, this.basePath); } /** * * @summary Delete a job. * @param {string} id The ID of the job to be deleted * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof JobServiceApi */ public deleteJob(id: string, options?: any) { return JobServiceApiFp(this.configuration).deleteJob(id, options)(this.fetch, this.basePath); } /** * * @summary Stops a job and all its associated runs. The job is not deleted. * @param {string} id The ID of the job to be disabled * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof JobServiceApi */ public disableJob(id: string, options?: any) { return JobServiceApiFp(this.configuration).disableJob(id, options)(this.fetch, this.basePath); } /** * * @summary Restarts a job that was previously stopped. All runs associated with the job will continue. * @param {string} id The ID of the job to be enabled * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof JobServiceApi */ public enableJob(id: string, options?: any) { return JobServiceApiFp(this.configuration).enableJob(id, options)(this.fetch, this.basePath); } /** * * @summary Find a specific job by ID. * @param {string} id The ID of the job to be retrieved * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof JobServiceApi */ public getJob(id: string, options?: any) { return JobServiceApiFp(this.configuration).getJob(id, options)(this.fetch, this.basePath); } /** * * @summary Find all jobs. * @param {string} [page_token] * @param {number} [page_size] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot;. Ascending by default. * @param {'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE'} [resource_reference_key_type] The type of the resource that referred to. * @param {string} [resource_reference_key_id] The ID of the resource that referred to. * @param {string} [filter] A url-encoded, JSON-serialized Filter protocol buffer (see [filter.proto](https://github.com/kubeflow/pipelines/ blob/master/backend/api/filter.proto)). * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof JobServiceApi */ public listJobs( page_token?: string, page_size?: number, sort_by?: string, resource_reference_key_type?: | 'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE', resource_reference_key_id?: string, filter?: string, options?: any, ) { return JobServiceApiFp(this.configuration).listJobs( page_token, page_size, sort_by, resource_reference_key_type, resource_reference_key_id, filter, options, )(this.fetch, this.basePath); } }
7,860
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/job/.swagger-codegen-ignore
# Swagger Codegen Ignore # Generated by swagger-codegen https://github.com/swagger-api/swagger-codegen # Use this file to prevent files from being overwritten by the generator. # The patterns follow closely to .gitignore or .dockerignore. # As an example, the C# client generator defines ApiClient.cs. # You can make changes and tell Swagger Codgen to ignore just this file by uncommenting the following line: #ApiClient.cs # You can match any string of characters against a directory, file or extension with a single asterisk (*): #foo/*/qux # The above matches foo/bar/qux and foo/baz/qux, but not foo/bar/baz/qux # You can recursively match patterns against a directory, file or extension with a double asterisk (**): #foo/**/qux # This matches foo/bar/qux, foo/baz/qux, and foo/bar/baz/qux # You can also negate patterns with an exclamation (!). # For example, you can ignore all files in a docs folder with the file extension .md: #docs/*.md # Then explicitly reverse the ignore rule for a single file: #!docs/README.md # Ignore .gitignore .gitignore
7,861
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/job/index.ts
// tslint:disable /** * backend/api/job.proto * No description provided (generated by Swagger Codegen https://github.com/swagger-api/swagger-codegen) * * OpenAPI spec version: version not set * * * NOTE: This class is auto generated by the swagger code generator program. * https://github.com/swagger-api/swagger-codegen.git * Do not edit the class manually. */ export * from './api'; export * from './configuration';
7,862
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/job/custom.d.ts
declare module 'portable-fetch'; declare module 'url';
7,863
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/job/configuration.ts
// tslint:disable /** * backend/api/job.proto * No description provided (generated by Swagger Codegen https://github.com/swagger-api/swagger-codegen) * * OpenAPI spec version: version not set * * * NOTE: This class is auto generated by the swagger code generator program. * https://github.com/swagger-api/swagger-codegen.git * Do not edit the class manually. */ export interface ConfigurationParameters { apiKey?: string | ((name: string) => string); username?: string; password?: string; accessToken?: string | ((name: string, scopes?: string[]) => string); basePath?: string; } export class Configuration { /** * parameter for apiKey security * @param name security name * @memberof Configuration */ apiKey?: string | ((name: string) => string); /** * parameter for basic security * * @type {string} * @memberof Configuration */ username?: string; /** * parameter for basic security * * @type {string} * @memberof Configuration */ password?: string; /** * parameter for oauth2 security * @param name security name * @param scopes oauth2 scope * @memberof Configuration */ accessToken?: string | ((name: string, scopes?: string[]) => string); /** * override base path * * @type {string} * @memberof Configuration */ basePath?: string; constructor(param: ConfigurationParameters = {}) { this.apiKey = param.apiKey; this.username = param.username; this.password = param.password; this.accessToken = param.accessToken; this.basePath = param.basePath; } }
7,864
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/job
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/job/.swagger-codegen/VERSION
2.4.7
7,865
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/visualization/api.ts
/// <reference path="./custom.d.ts" /> // tslint:disable /** * backend/api/visualization.proto * No description provided (generated by Swagger Codegen https://github.com/swagger-api/swagger-codegen) * * OpenAPI spec version: version not set * * * NOTE: This class is auto generated by the swagger code generator program. * https://github.com/swagger-api/swagger-codegen.git * Do not edit the class manually. */ import * as url from 'url'; import * as portableFetch from 'portable-fetch'; import { Configuration } from './configuration'; const BASE_PATH = 'http://localhost'.replace(/\/+$/, ''); /** * * @export */ export const COLLECTION_FORMATS = { csv: ',', ssv: ' ', tsv: '\t', pipes: '|', }; /** * * @export * @interface FetchAPI */ export interface FetchAPI { (url: string, init?: any): Promise<Response>; } /** * * @export * @interface FetchArgs */ export interface FetchArgs { url: string; options: any; } /** * * @export * @class BaseAPI */ export class BaseAPI { protected configuration: Configuration; constructor( configuration?: Configuration, protected basePath: string = BASE_PATH, protected fetch: FetchAPI = portableFetch, ) { if (configuration) { this.configuration = configuration; this.basePath = configuration.basePath || this.basePath; } } } /** * * @export * @class RequiredError * @extends {Error} */ export class RequiredError extends Error { name: 'RequiredError'; constructor(public field: string, msg?: string) { super(msg); } } /** * * @export * @interface ApiStatus */ export interface ApiStatus { /** * * @type {string} * @memberof ApiStatus */ error?: string; /** * * @type {number} * @memberof ApiStatus */ code?: number; /** * * @type {Array<ProtobufAny>} * @memberof ApiStatus */ details?: Array<ProtobufAny>; } /** * * @export * @interface ApiVisualization */ export interface ApiVisualization { /** * * @type {ApiVisualizationType} * @memberof ApiVisualization */ type?: ApiVisualizationType; /** * Path pattern of input data to be used during generation of visualizations. This is required when creating the pipeline through CreateVisualization API. * @type {string} * @memberof ApiVisualization */ source?: string; /** * Variables to be used during generation of a visualization. This should be provided as a JSON string. This is required when creating the pipeline through CreateVisualization API. * @type {string} * @memberof ApiVisualization */ arguments?: string; /** * Output. Generated visualization html. * @type {string} * @memberof ApiVisualization */ html?: string; /** * In case any error happens when generating visualizations, only visualization ID and the error message are returned. Client has the flexibility of choosing how to handle the error. * @type {string} * @memberof ApiVisualization */ error?: string; } /** * Type of visualization to be generated. This is required when creating the pipeline through CreateVisualization API. * @export * @enum {string} */ export enum ApiVisualizationType { ROCCURVE = <any>'ROC_CURVE', TFDV = <any>'TFDV', TFMA = <any>'TFMA', TABLE = <any>'TABLE', CUSTOM = <any>'CUSTOM', } /** * `Any` contains an arbitrary serialized protocol buffer message along with a URL that describes the type of the serialized message. Protobuf library provides support to pack/unpack Any values in the form of utility functions or additional generated methods of the Any type. Example 1: Pack and unpack a message in C++. Foo foo = ...; Any any; any.PackFrom(foo); ... if (any.UnpackTo(&foo)) { ... } Example 2: Pack and unpack a message in Java. Foo foo = ...; Any any = Any.pack(foo); ... if (any.is(Foo.class)) { foo = any.unpack(Foo.class); } Example 3: Pack and unpack a message in Python. foo = Foo(...) any = Any() any.Pack(foo) ... if any.Is(Foo.DESCRIPTOR): any.Unpack(foo) ... Example 4: Pack and unpack a message in Go foo := &pb.Foo{...} any, err := ptypes.MarshalAny(foo) ... foo := &pb.Foo{} if err := ptypes.UnmarshalAny(any, foo); err != nil { ... } The pack methods provided by protobuf library will by default use 'type.googleapis.com/full.type.name' as the type URL and the unpack methods only use the fully qualified type name after the last '/' in the type URL, for example \"foo.bar.com/x/y.z\" will yield type name \"y.z\". JSON ==== The JSON representation of an `Any` value uses the regular representation of the deserialized, embedded message, with an additional field `@type` which contains the type URL. Example: package google.profile; message Person { string first_name = 1; string last_name = 2; } { \"@type\": \"type.googleapis.com/google.profile.Person\", \"firstName\": <string>, \"lastName\": <string> } If the embedded message type is well-known and has a custom JSON representation, that representation will be embedded adding a field `value` which holds the custom JSON in addition to the `@type` field. Example (for message [google.protobuf.Duration][]): { \"@type\": \"type.googleapis.com/google.protobuf.Duration\", \"value\": \"1.212s\" } * @export * @interface ProtobufAny */ export interface ProtobufAny { /** * A URL/resource name that uniquely identifies the type of the serialized protocol buffer message. The last segment of the URL's path must represent the fully qualified name of the type (as in `path/google.protobuf.Duration`). The name should be in a canonical form (e.g., leading \".\" is not accepted). In practice, teams usually precompile into the binary all types that they expect it to use in the context of Any. However, for URLs which use the scheme `http`, `https`, or no scheme, one can optionally set up a type server that maps type URLs to message definitions as follows: * If no scheme is provided, `https` is assumed. * An HTTP GET on the URL must yield a [google.protobuf.Type][] value in binary format, or produce an error. * Applications are allowed to cache lookup results based on the URL, or have them precompiled into a binary to avoid any lookup. Therefore, binary compatibility needs to be preserved on changes to types. (Use versioned type names to manage breaking changes.) Note: this functionality is not currently available in the official protobuf release, and it is not used for type URLs beginning with type.googleapis.com. Schemes other than `http`, `https` (or the empty scheme) might be used with implementation specific semantics. * @type {string} * @memberof ProtobufAny */ type_url?: string; /** * Must be a valid serialized protocol buffer of the above specified type. * @type {string} * @memberof ProtobufAny */ value?: string; } /** * VisualizationServiceApi - fetch parameter creator * @export */ export const VisualizationServiceApiFetchParamCreator = function(configuration?: Configuration) { return { /** * * @param {string} namespace * @param {ApiVisualization} body * @param {*} [options] Override http request option. * @throws {RequiredError} */ createVisualization(namespace: string, body: ApiVisualization, options: any = {}): FetchArgs { // verify required parameter 'namespace' is not null or undefined if (namespace === null || namespace === undefined) { throw new RequiredError( 'namespace', 'Required parameter namespace was null or undefined when calling createVisualization.', ); } // verify required parameter 'body' is not null or undefined if (body === null || body === undefined) { throw new RequiredError( 'body', 'Required parameter body was null or undefined when calling createVisualization.', ); } const localVarPath = `/apis/v1beta1/visualizations/{namespace}`.replace( `{${'namespace'}}`, encodeURIComponent(String(namespace)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'POST' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarHeaderParameter['Content-Type'] = 'application/json'; localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); const needsSerialization = <any>'ApiVisualization' !== 'string' || localVarRequestOptions.headers['Content-Type'] === 'application/json'; localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : body || ''; return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, }; }; /** * VisualizationServiceApi - functional programming interface * @export */ export const VisualizationServiceApiFp = function(configuration?: Configuration) { return { /** * * @param {string} namespace * @param {ApiVisualization} body * @param {*} [options] Override http request option. * @throws {RequiredError} */ createVisualization( namespace: string, body: ApiVisualization, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiVisualization> { const localVarFetchArgs = VisualizationServiceApiFetchParamCreator( configuration, ).createVisualization(namespace, body, options); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, }; }; /** * VisualizationServiceApi - factory interface * @export */ export const VisualizationServiceApiFactory = function( configuration?: Configuration, fetch?: FetchAPI, basePath?: string, ) { return { /** * * @param {string} namespace * @param {ApiVisualization} body * @param {*} [options] Override http request option. * @throws {RequiredError} */ createVisualization(namespace: string, body: ApiVisualization, options?: any) { return VisualizationServiceApiFp(configuration).createVisualization( namespace, body, options, )(fetch, basePath); }, }; }; /** * VisualizationServiceApi - object-oriented interface * @export * @class VisualizationServiceApi * @extends {BaseAPI} */ export class VisualizationServiceApi extends BaseAPI { /** * * @param {string} namespace * @param {ApiVisualization} body * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof VisualizationServiceApi */ public createVisualization(namespace: string, body: ApiVisualization, options?: any) { return VisualizationServiceApiFp(this.configuration).createVisualization( namespace, body, options, )(this.fetch, this.basePath); } }
7,866
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/visualization/.swagger-codegen-ignore
# Swagger Codegen Ignore # Generated by swagger-codegen https://github.com/swagger-api/swagger-codegen # Use this file to prevent files from being overwritten by the generator. # The patterns follow closely to .gitignore or .dockerignore. # As an example, the C# client generator defines ApiClient.cs. # You can make changes and tell Swagger Codgen to ignore just this file by uncommenting the following line: #ApiClient.cs # You can match any string of characters against a directory, file or extension with a single asterisk (*): #foo/*/qux # The above matches foo/bar/qux and foo/baz/qux, but not foo/bar/baz/qux # You can recursively match patterns against a directory, file or extension with a double asterisk (**): #foo/**/qux # This matches foo/bar/qux, foo/baz/qux, and foo/bar/baz/qux # You can also negate patterns with an exclamation (!). # For example, you can ignore all files in a docs folder with the file extension .md: #docs/*.md # Then explicitly reverse the ignore rule for a single file: #!docs/README.md
7,867
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/visualization/git_push.sh
#!/bin/sh # ref: https://help.github.com/articles/adding-an-existing-project-to-github-using-the-command-line/ # # Usage example: /bin/sh ./git_push.sh wing328 swagger-petstore-perl "minor update" git_user_id=$1 git_repo_id=$2 release_note=$3 if [ "$git_user_id" = "" ]; then git_user_id="GIT_USER_ID" echo "[INFO] No command line input provided. Set \$git_user_id to $git_user_id" fi if [ "$git_repo_id" = "" ]; then git_repo_id="GIT_REPO_ID" echo "[INFO] No command line input provided. Set \$git_repo_id to $git_repo_id" fi if [ "$release_note" = "" ]; then release_note="Minor update" echo "[INFO] No command line input provided. Set \$release_note to $release_note" fi # Initialize the local directory as a Git repository git init # Adds the files in the local repository and stages them for commit. git add . # Commits the tracked changes and prepares them to be pushed to a remote repository. git commit -m "$release_note" # Sets the new remote git_remote=`git remote` if [ "$git_remote" = "" ]; then # git remote not defined if [ "$GIT_TOKEN" = "" ]; then echo "[INFO] \$GIT_TOKEN (environment variable) is not set. Using the git credential in your environment." git remote add origin https://github.com/${git_user_id}/${git_repo_id}.git else git remote add origin https://${git_user_id}:${GIT_TOKEN}@github.com/${git_user_id}/${git_repo_id}.git fi fi git pull origin master # Pushes (Forces) the changes in the local repository up to the remote repository echo "Git pushing to https://github.com/${git_user_id}/${git_repo_id}.git" git push origin master 2>&1 | grep -v 'To https'
7,868
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/visualization/index.ts
// tslint:disable /** * backend/api/visualization.proto * No description provided (generated by Swagger Codegen https://github.com/swagger-api/swagger-codegen) * * OpenAPI spec version: version not set * * * NOTE: This class is auto generated by the swagger code generator program. * https://github.com/swagger-api/swagger-codegen.git * Do not edit the class manually. */ export * from './api'; export * from './configuration';
7,869
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/visualization/custom.d.ts
declare module 'portable-fetch'; declare module 'url';
7,870
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/visualization/configuration.ts
// tslint:disable /** * backend/api/visualization.proto * No description provided (generated by Swagger Codegen https://github.com/swagger-api/swagger-codegen) * * OpenAPI spec version: version not set * * * NOTE: This class is auto generated by the swagger code generator program. * https://github.com/swagger-api/swagger-codegen.git * Do not edit the class manually. */ export interface ConfigurationParameters { apiKey?: string | ((name: string) => string); username?: string; password?: string; accessToken?: string | ((name: string, scopes?: string[]) => string); basePath?: string; } export class Configuration { /** * parameter for apiKey security * @param name security name * @memberof Configuration */ apiKey?: string | ((name: string) => string); /** * parameter for basic security * * @type {string} * @memberof Configuration */ username?: string; /** * parameter for basic security * * @type {string} * @memberof Configuration */ password?: string; /** * parameter for oauth2 security * @param name security name * @param scopes oauth2 scope * @memberof Configuration */ accessToken?: string | ((name: string, scopes?: string[]) => string); /** * override base path * * @type {string} * @memberof Configuration */ basePath?: string; constructor(param: ConfigurationParameters = {}) { this.apiKey = param.apiKey; this.username = param.username; this.password = param.password; this.accessToken = param.accessToken; this.basePath = param.basePath; } }
7,871
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/visualization
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/visualization/.swagger-codegen/VERSION
2.4.7
7,872
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/filter/api.ts
/// <reference path="./custom.d.ts" /> // tslint:disable /** * backend/api/filter.proto * No description provided (generated by Swagger Codegen https://github.com/swagger-api/swagger-codegen) * * OpenAPI spec version: version not set * * * NOTE: This class is auto generated by the swagger code generator program. * https://github.com/swagger-api/swagger-codegen.git * Do not edit the class manually. */ import * as url from 'url'; import * as portableFetch from 'portable-fetch'; import { Configuration } from './configuration'; const BASE_PATH = 'http://localhost'.replace(/\/+$/, ''); /** * * @export */ export const COLLECTION_FORMATS = { csv: ',', ssv: ' ', tsv: '\t', pipes: '|', }; /** * * @export * @interface FetchAPI */ export interface FetchAPI { (url: string, init?: any): Promise<Response>; } /** * * @export * @interface FetchArgs */ export interface FetchArgs { url: string; options: any; } /** * * @export * @class BaseAPI */ export class BaseAPI { protected configuration: Configuration; constructor( configuration?: Configuration, protected basePath: string = BASE_PATH, protected fetch: FetchAPI = portableFetch, ) { if (configuration) { this.configuration = configuration; this.basePath = configuration.basePath || this.basePath; } } } /** * * @export * @class RequiredError * @extends {Error} */ export class RequiredError extends Error { name: 'RequiredError'; constructor(public field: string, msg?: string) { super(msg); } } /** * Filter is used to filter resources returned from a ListXXX request. Example filters: 1) Filter runs with status = 'Running' filter { predicate { key: \"status\" op: EQUALS string_value: \"Running\" } } 2) Filter runs that succeeded since Dec 1, 2018 filter { predicate { key: \"status\" op: EQUALS string_value: \"Succeeded\" } predicate { key: \"created_at\" op: GREATER_THAN timestamp_value { seconds: 1543651200 } } } 3) Filter runs with one of labels 'label_1' or 'label_2' filter { predicate { key: \"label\" op: IN string_values { value: 'label_1' value: 'label_2' } } } * @export * @interface ApiFilter */ export interface ApiFilter { /** * All predicates are AND-ed when this filter is applied. * @type {Array<ApiPredicate>} * @memberof ApiFilter */ predicates?: Array<ApiPredicate>; } /** * * @export * @interface ApiIntValues */ export interface ApiIntValues { /** * * @type {Array<number>} * @memberof ApiIntValues */ values?: Array<number>; } /** * * @export * @interface ApiLongValues */ export interface ApiLongValues { /** * * @type {Array<string>} * @memberof ApiLongValues */ values?: Array<string>; } /** * Predicate captures individual conditions that must be true for a resource being filtered. * @export * @interface ApiPredicate */ export interface ApiPredicate { /** * * @type {PredicateOp} * @memberof ApiPredicate */ op?: PredicateOp; /** * * @type {string} * @memberof ApiPredicate */ key?: string; /** * * @type {number} * @memberof ApiPredicate */ int_value?: number; /** * * @type {string} * @memberof ApiPredicate */ long_value?: string; /** * * @type {string} * @memberof ApiPredicate */ string_value?: string; /** * Timestamp values will be converted to Unix time (seconds since the epoch) prior to being used in a filtering operation. * @type {Date} * @memberof ApiPredicate */ timestamp_value?: Date; /** * Array values below are only meant to be used by the IN operator. * @type {ApiIntValues} * @memberof ApiPredicate */ int_values?: ApiIntValues; /** * * @type {ApiLongValues} * @memberof ApiPredicate */ long_values?: ApiLongValues; /** * * @type {ApiStringValues} * @memberof ApiPredicate */ string_values?: ApiStringValues; } /** * * @export * @interface ApiStringValues */ export interface ApiStringValues { /** * * @type {Array<string>} * @memberof ApiStringValues */ values?: Array<string>; } /** * Op is the operation to apply. - EQUALS: Operators on scalar values. Only applies to one of |int_value|, |long_value|, |string_value| or |timestamp_value|. - IN: Checks if the value is a member of a given array, which should be one of |int_values|, |long_values| or |string_values|. - IS_SUBSTRING: Checks if the value contains |string_value| as a substring match. Only applies to |string_value|. * @export * @enum {string} */ export enum PredicateOp { UNKNOWN = <any>'UNKNOWN', EQUALS = <any>'EQUALS', NOTEQUALS = <any>'NOT_EQUALS', GREATERTHAN = <any>'GREATER_THAN', GREATERTHANEQUALS = <any>'GREATER_THAN_EQUALS', LESSTHAN = <any>'LESS_THAN', LESSTHANEQUALS = <any>'LESS_THAN_EQUALS', IN = <any>'IN', ISSUBSTRING = <any>'IS_SUBSTRING', }
7,873
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/filter/.swagger-codegen-ignore
# Swagger Codegen Ignore # Generated by swagger-codegen https://github.com/swagger-api/swagger-codegen # Use this file to prevent files from being overwritten by the generator. # The patterns follow closely to .gitignore or .dockerignore. # As an example, the C# client generator defines ApiClient.cs. # You can make changes and tell Swagger Codgen to ignore just this file by uncommenting the following line: #ApiClient.cs # You can match any string of characters against a directory, file or extension with a single asterisk (*): #foo/*/qux # The above matches foo/bar/qux and foo/baz/qux, but not foo/bar/baz/qux # You can recursively match patterns against a directory, file or extension with a double asterisk (**): #foo/**/qux # This matches foo/bar/qux, foo/baz/qux, and foo/bar/baz/qux # You can also negate patterns with an exclamation (!). # For example, you can ignore all files in a docs folder with the file extension .md: #docs/*.md # Then explicitly reverse the ignore rule for a single file: #!docs/README.md
7,874
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/filter/git_push.sh
#!/bin/sh # ref: https://help.github.com/articles/adding-an-existing-project-to-github-using-the-command-line/ # # Usage example: /bin/sh ./git_push.sh wing328 swagger-petstore-perl "minor update" git_user_id=$1 git_repo_id=$2 release_note=$3 if [ "$git_user_id" = "" ]; then git_user_id="GIT_USER_ID" echo "[INFO] No command line input provided. Set \$git_user_id to $git_user_id" fi if [ "$git_repo_id" = "" ]; then git_repo_id="GIT_REPO_ID" echo "[INFO] No command line input provided. Set \$git_repo_id to $git_repo_id" fi if [ "$release_note" = "" ]; then release_note="Minor update" echo "[INFO] No command line input provided. Set \$release_note to $release_note" fi # Initialize the local directory as a Git repository git init # Adds the files in the local repository and stages them for commit. git add . # Commits the tracked changes and prepares them to be pushed to a remote repository. git commit -m "$release_note" # Sets the new remote git_remote=`git remote` if [ "$git_remote" = "" ]; then # git remote not defined if [ "$GIT_TOKEN" = "" ]; then echo "[INFO] \$GIT_TOKEN (environment variable) is not set. Using the git credential in your environment." git remote add origin https://github.com/${git_user_id}/${git_repo_id}.git else git remote add origin https://${git_user_id}:${GIT_TOKEN}@github.com/${git_user_id}/${git_repo_id}.git fi fi git pull origin master # Pushes (Forces) the changes in the local repository up to the remote repository echo "Git pushing to https://github.com/${git_user_id}/${git_repo_id}.git" git push origin master 2>&1 | grep -v 'To https'
7,875
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/filter/index.ts
// tslint:disable /** * backend/api/filter.proto * No description provided (generated by Swagger Codegen https://github.com/swagger-api/swagger-codegen) * * OpenAPI spec version: version not set * * * NOTE: This class is auto generated by the swagger code generator program. * https://github.com/swagger-api/swagger-codegen.git * Do not edit the class manually. */ export * from './api'; export * from './configuration';
7,876
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/filter/custom.d.ts
declare module 'portable-fetch'; declare module 'url';
7,877
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/filter/configuration.ts
// tslint:disable /** * backend/api/filter.proto * No description provided (generated by Swagger Codegen https://github.com/swagger-api/swagger-codegen) * * OpenAPI spec version: version not set * * * NOTE: This class is auto generated by the swagger code generator program. * https://github.com/swagger-api/swagger-codegen.git * Do not edit the class manually. */ export interface ConfigurationParameters { apiKey?: string | ((name: string) => string); username?: string; password?: string; accessToken?: string | ((name: string, scopes?: string[]) => string); basePath?: string; } export class Configuration { /** * parameter for apiKey security * @param name security name * @memberof Configuration */ apiKey?: string | ((name: string) => string); /** * parameter for basic security * * @type {string} * @memberof Configuration */ username?: string; /** * parameter for basic security * * @type {string} * @memberof Configuration */ password?: string; /** * parameter for oauth2 security * @param name security name * @param scopes oauth2 scope * @memberof Configuration */ accessToken?: string | ((name: string, scopes?: string[]) => string); /** * override base path * * @type {string} * @memberof Configuration */ basePath?: string; constructor(param: ConfigurationParameters = {}) { this.apiKey = param.apiKey; this.username = param.username; this.password = param.password; this.accessToken = param.accessToken; this.basePath = param.basePath; } }
7,878
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/filter
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/filter/.swagger-codegen/VERSION
2.4.7
7,879
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/experiment/api.ts
/// <reference path="./custom.d.ts" /> // tslint:disable /** * backend/api/experiment.proto * No description provided (generated by Swagger Codegen https://github.com/swagger-api/swagger-codegen) * * OpenAPI spec version: version not set * * * NOTE: This class is auto generated by the swagger code generator program. * https://github.com/swagger-api/swagger-codegen.git * Do not edit the class manually. */ import * as url from 'url'; import * as portableFetch from 'portable-fetch'; import { Configuration } from './configuration'; const BASE_PATH = 'http://localhost'.replace(/\/+$/, ''); /** * * @export */ export const COLLECTION_FORMATS = { csv: ',', ssv: ' ', tsv: '\t', pipes: '|', }; /** * * @export * @interface FetchAPI */ export interface FetchAPI { (url: string, init?: any): Promise<Response>; } /** * * @export * @interface FetchArgs */ export interface FetchArgs { url: string; options: any; } /** * * @export * @class BaseAPI */ export class BaseAPI { protected configuration: Configuration; constructor( configuration?: Configuration, protected basePath: string = BASE_PATH, protected fetch: FetchAPI = portableFetch, ) { if (configuration) { this.configuration = configuration; this.basePath = configuration.basePath || this.basePath; } } } /** * * @export * @class RequiredError * @extends {Error} */ export class RequiredError extends Error { name: 'RequiredError'; constructor(public field: string, msg?: string) { super(msg); } } /** * * @export * @interface ApiExperiment */ export interface ApiExperiment { /** * Output. Unique experiment ID. Generated by API server. * @type {string} * @memberof ApiExperiment */ id?: string; /** * Required input field. Unique experiment name provided by user. * @type {string} * @memberof ApiExperiment */ name?: string; /** * * @type {string} * @memberof ApiExperiment */ description?: string; /** * Output. The time that the experiment created. * @type {Date} * @memberof ApiExperiment */ created_at?: Date; /** * Optional input field. Specify which resource this run belongs to. For Experiment, the only valid resource reference is a single Namespace. * @type {Array<ApiResourceReference>} * @memberof ApiExperiment */ resource_references?: Array<ApiResourceReference>; /** * * @type {ExperimentStorageState} * @memberof ApiExperiment */ storage_state?: ExperimentStorageState; } /** * * @export * @interface ApiListExperimentsResponse */ export interface ApiListExperimentsResponse { /** * A list of experiments returned. * @type {Array<ApiExperiment>} * @memberof ApiListExperimentsResponse */ experiments?: Array<ApiExperiment>; /** * The total number of experiments for the given query. * @type {number} * @memberof ApiListExperimentsResponse */ total_size?: number; /** * The token to list the next page of experiments. * @type {string} * @memberof ApiListExperimentsResponse */ next_page_token?: string; } /** * * @export * @enum {string} */ export enum ApiRelationship { UNKNOWNRELATIONSHIP = <any>'UNKNOWN_RELATIONSHIP', OWNER = <any>'OWNER', CREATOR = <any>'CREATOR', } /** * * @export * @interface ApiResourceKey */ export interface ApiResourceKey { /** * The type of the resource that referred to. * @type {ApiResourceType} * @memberof ApiResourceKey */ type?: ApiResourceType; /** * The ID of the resource that referred to. * @type {string} * @memberof ApiResourceKey */ id?: string; } /** * * @export * @interface ApiResourceReference */ export interface ApiResourceReference { /** * * @type {ApiResourceKey} * @memberof ApiResourceReference */ key?: ApiResourceKey; /** * The name of the resource that referred to. * @type {string} * @memberof ApiResourceReference */ name?: string; /** * Required field. The relationship from referred resource to the object. * @type {ApiRelationship} * @memberof ApiResourceReference */ relationship?: ApiRelationship; } /** * * @export * @enum {string} */ export enum ApiResourceType { UNKNOWNRESOURCETYPE = <any>'UNKNOWN_RESOURCE_TYPE', EXPERIMENT = <any>'EXPERIMENT', JOB = <any>'JOB', PIPELINE = <any>'PIPELINE', PIPELINEVERSION = <any>'PIPELINE_VERSION', NAMESPACE = <any>'NAMESPACE', } /** * * @export * @interface ApiStatus */ export interface ApiStatus { /** * * @type {string} * @memberof ApiStatus */ error?: string; /** * * @type {number} * @memberof ApiStatus */ code?: number; /** * * @type {Array<ProtobufAny>} * @memberof ApiStatus */ details?: Array<ProtobufAny>; } /** * * @export * @enum {string} */ export enum ExperimentStorageState { UNSPECIFIED = <any>'STORAGESTATE_UNSPECIFIED', AVAILABLE = <any>'STORAGESTATE_AVAILABLE', ARCHIVED = <any>'STORAGESTATE_ARCHIVED', } /** * `Any` contains an arbitrary serialized protocol buffer message along with a URL that describes the type of the serialized message. Protobuf library provides support to pack/unpack Any values in the form of utility functions or additional generated methods of the Any type. Example 1: Pack and unpack a message in C++. Foo foo = ...; Any any; any.PackFrom(foo); ... if (any.UnpackTo(&foo)) { ... } Example 2: Pack and unpack a message in Java. Foo foo = ...; Any any = Any.pack(foo); ... if (any.is(Foo.class)) { foo = any.unpack(Foo.class); } Example 3: Pack and unpack a message in Python. foo = Foo(...) any = Any() any.Pack(foo) ... if any.Is(Foo.DESCRIPTOR): any.Unpack(foo) ... Example 4: Pack and unpack a message in Go foo := &pb.Foo{...} any, err := ptypes.MarshalAny(foo) ... foo := &pb.Foo{} if err := ptypes.UnmarshalAny(any, foo); err != nil { ... } The pack methods provided by protobuf library will by default use 'type.googleapis.com/full.type.name' as the type URL and the unpack methods only use the fully qualified type name after the last '/' in the type URL, for example \"foo.bar.com/x/y.z\" will yield type name \"y.z\". JSON ==== The JSON representation of an `Any` value uses the regular representation of the deserialized, embedded message, with an additional field `@type` which contains the type URL. Example: package google.profile; message Person { string first_name = 1; string last_name = 2; } { \"@type\": \"type.googleapis.com/google.profile.Person\", \"firstName\": <string>, \"lastName\": <string> } If the embedded message type is well-known and has a custom JSON representation, that representation will be embedded adding a field `value` which holds the custom JSON in addition to the `@type` field. Example (for message [google.protobuf.Duration][]): { \"@type\": \"type.googleapis.com/google.protobuf.Duration\", \"value\": \"1.212s\" } * @export * @interface ProtobufAny */ export interface ProtobufAny { /** * A URL/resource name that uniquely identifies the type of the serialized protocol buffer message. The last segment of the URL's path must represent the fully qualified name of the type (as in `path/google.protobuf.Duration`). The name should be in a canonical form (e.g., leading \".\" is not accepted). In practice, teams usually precompile into the binary all types that they expect it to use in the context of Any. However, for URLs which use the scheme `http`, `https`, or no scheme, one can optionally set up a type server that maps type URLs to message definitions as follows: * If no scheme is provided, `https` is assumed. * An HTTP GET on the URL must yield a [google.protobuf.Type][] value in binary format, or produce an error. * Applications are allowed to cache lookup results based on the URL, or have them precompiled into a binary to avoid any lookup. Therefore, binary compatibility needs to be preserved on changes to types. (Use versioned type names to manage breaking changes.) Note: this functionality is not currently available in the official protobuf release, and it is not used for type URLs beginning with type.googleapis.com. Schemes other than `http`, `https` (or the empty scheme) might be used with implementation specific semantics. * @type {string} * @memberof ProtobufAny */ type_url?: string; /** * Must be a valid serialized protocol buffer of the above specified type. * @type {string} * @memberof ProtobufAny */ value?: string; } /** * ExperimentServiceApi - fetch parameter creator * @export */ export const ExperimentServiceApiFetchParamCreator = function(configuration?: Configuration) { return { /** * * @summary Archive an experiment. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ archiveExperiment(id: string, options: any = {}): FetchArgs { // verify required parameter 'id' is not null or undefined if (id === null || id === undefined) { throw new RequiredError( 'id', 'Required parameter id was null or undefined when calling archiveExperiment.', ); } const localVarPath = `/apis/v1beta1/experiments/{id}:archive`.replace( `{${'id'}}`, encodeURIComponent(String(id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'POST' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Create a new experiment. * @param {ApiExperiment} body The experiment to be created. * @param {*} [options] Override http request option. * @throws {RequiredError} */ createExperiment(body: ApiExperiment, options: any = {}): FetchArgs { // verify required parameter 'body' is not null or undefined if (body === null || body === undefined) { throw new RequiredError( 'body', 'Required parameter body was null or undefined when calling createExperiment.', ); } const localVarPath = `/apis/v1beta1/experiments`; const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'POST' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarHeaderParameter['Content-Type'] = 'application/json'; localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); const needsSerialization = <any>'ApiExperiment' !== 'string' || localVarRequestOptions.headers['Content-Type'] === 'application/json'; localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : body || ''; return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Delete an experiment. * @param {string} id The ID of the experiment to be deleted. * @param {*} [options] Override http request option. * @throws {RequiredError} */ deleteExperiment(id: string, options: any = {}): FetchArgs { // verify required parameter 'id' is not null or undefined if (id === null || id === undefined) { throw new RequiredError( 'id', 'Required parameter id was null or undefined when calling deleteExperiment.', ); } const localVarPath = `/apis/v1beta1/experiments/{id}`.replace( `{${'id'}}`, encodeURIComponent(String(id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'DELETE' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Find a specific experiment by ID. * @param {string} id The ID of the experiment to be retrieved. * @param {*} [options] Override http request option. * @throws {RequiredError} */ getExperiment(id: string, options: any = {}): FetchArgs { // verify required parameter 'id' is not null or undefined if (id === null || id === undefined) { throw new RequiredError( 'id', 'Required parameter id was null or undefined when calling getExperiment.', ); } const localVarPath = `/apis/v1beta1/experiments/{id}`.replace( `{${'id'}}`, encodeURIComponent(String(id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'GET' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Find all experiments. * @param {string} [page_token] * @param {number} [page_size] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot; Ascending by default. * @param {string} [filter] A url-encoded, JSON-serialized Filter protocol buffer (see [filter.proto](https://github.com/kubeflow/pipelines/ blob/master/backend/api/filter.proto)). * @param {'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE'} [resource_reference_key_type] The type of the resource that referred to. * @param {string} [resource_reference_key_id] The ID of the resource that referred to. * @param {*} [options] Override http request option. * @throws {RequiredError} */ listExperiment( page_token?: string, page_size?: number, sort_by?: string, filter?: string, resource_reference_key_type?: | 'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE', resource_reference_key_id?: string, options: any = {}, ): FetchArgs { const localVarPath = `/apis/v1beta1/experiments`; const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'GET' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } if (page_token !== undefined) { localVarQueryParameter['page_token'] = page_token; } if (page_size !== undefined) { localVarQueryParameter['page_size'] = page_size; } if (sort_by !== undefined) { localVarQueryParameter['sort_by'] = sort_by; } if (filter !== undefined) { localVarQueryParameter['filter'] = filter; } if (resource_reference_key_type !== undefined) { localVarQueryParameter['resource_reference_key.type'] = resource_reference_key_type; } if (resource_reference_key_id !== undefined) { localVarQueryParameter['resource_reference_key.id'] = resource_reference_key_id; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Restore an archived experiment. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ unarchiveExperiment(id: string, options: any = {}): FetchArgs { // verify required parameter 'id' is not null or undefined if (id === null || id === undefined) { throw new RequiredError( 'id', 'Required parameter id was null or undefined when calling unarchiveExperiment.', ); } const localVarPath = `/apis/v1beta1/experiments/{id}:unarchive`.replace( `{${'id'}}`, encodeURIComponent(String(id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'POST' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, }; }; /** * ExperimentServiceApi - functional programming interface * @export */ export const ExperimentServiceApiFp = function(configuration?: Configuration) { return { /** * * @summary Archive an experiment. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ archiveExperiment( id: string, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<any> { const localVarFetchArgs = ExperimentServiceApiFetchParamCreator( configuration, ).archiveExperiment(id, options); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Create a new experiment. * @param {ApiExperiment} body The experiment to be created. * @param {*} [options] Override http request option. * @throws {RequiredError} */ createExperiment( body: ApiExperiment, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiExperiment> { const localVarFetchArgs = ExperimentServiceApiFetchParamCreator( configuration, ).createExperiment(body, options); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Delete an experiment. * @param {string} id The ID of the experiment to be deleted. * @param {*} [options] Override http request option. * @throws {RequiredError} */ deleteExperiment( id: string, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<any> { const localVarFetchArgs = ExperimentServiceApiFetchParamCreator( configuration, ).deleteExperiment(id, options); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Find a specific experiment by ID. * @param {string} id The ID of the experiment to be retrieved. * @param {*} [options] Override http request option. * @throws {RequiredError} */ getExperiment( id: string, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiExperiment> { const localVarFetchArgs = ExperimentServiceApiFetchParamCreator(configuration).getExperiment( id, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Find all experiments. * @param {string} [page_token] * @param {number} [page_size] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot; Ascending by default. * @param {string} [filter] A url-encoded, JSON-serialized Filter protocol buffer (see [filter.proto](https://github.com/kubeflow/pipelines/ blob/master/backend/api/filter.proto)). * @param {'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE'} [resource_reference_key_type] The type of the resource that referred to. * @param {string} [resource_reference_key_id] The ID of the resource that referred to. * @param {*} [options] Override http request option. * @throws {RequiredError} */ listExperiment( page_token?: string, page_size?: number, sort_by?: string, filter?: string, resource_reference_key_type?: | 'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE', resource_reference_key_id?: string, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiListExperimentsResponse> { const localVarFetchArgs = ExperimentServiceApiFetchParamCreator(configuration).listExperiment( page_token, page_size, sort_by, filter, resource_reference_key_type, resource_reference_key_id, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Restore an archived experiment. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ unarchiveExperiment( id: string, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<any> { const localVarFetchArgs = ExperimentServiceApiFetchParamCreator( configuration, ).unarchiveExperiment(id, options); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, }; }; /** * ExperimentServiceApi - factory interface * @export */ export const ExperimentServiceApiFactory = function( configuration?: Configuration, fetch?: FetchAPI, basePath?: string, ) { return { /** * * @summary Archive an experiment. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ archiveExperiment(id: string, options?: any) { return ExperimentServiceApiFp(configuration).archiveExperiment(id, options)(fetch, basePath); }, /** * * @summary Create a new experiment. * @param {ApiExperiment} body The experiment to be created. * @param {*} [options] Override http request option. * @throws {RequiredError} */ createExperiment(body: ApiExperiment, options?: any) { return ExperimentServiceApiFp(configuration).createExperiment(body, options)(fetch, basePath); }, /** * * @summary Delete an experiment. * @param {string} id The ID of the experiment to be deleted. * @param {*} [options] Override http request option. * @throws {RequiredError} */ deleteExperiment(id: string, options?: any) { return ExperimentServiceApiFp(configuration).deleteExperiment(id, options)(fetch, basePath); }, /** * * @summary Find a specific experiment by ID. * @param {string} id The ID of the experiment to be retrieved. * @param {*} [options] Override http request option. * @throws {RequiredError} */ getExperiment(id: string, options?: any) { return ExperimentServiceApiFp(configuration).getExperiment(id, options)(fetch, basePath); }, /** * * @summary Find all experiments. * @param {string} [page_token] * @param {number} [page_size] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot; Ascending by default. * @param {string} [filter] A url-encoded, JSON-serialized Filter protocol buffer (see [filter.proto](https://github.com/kubeflow/pipelines/ blob/master/backend/api/filter.proto)). * @param {'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE'} [resource_reference_key_type] The type of the resource that referred to. * @param {string} [resource_reference_key_id] The ID of the resource that referred to. * @param {*} [options] Override http request option. * @throws {RequiredError} */ listExperiment( page_token?: string, page_size?: number, sort_by?: string, filter?: string, resource_reference_key_type?: | 'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE', resource_reference_key_id?: string, options?: any, ) { return ExperimentServiceApiFp(configuration).listExperiment( page_token, page_size, sort_by, filter, resource_reference_key_type, resource_reference_key_id, options, )(fetch, basePath); }, /** * * @summary Restore an archived experiment. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ unarchiveExperiment(id: string, options?: any) { return ExperimentServiceApiFp(configuration).unarchiveExperiment(id, options)( fetch, basePath, ); }, }; }; /** * ExperimentServiceApi - object-oriented interface * @export * @class ExperimentServiceApi * @extends {BaseAPI} */ export class ExperimentServiceApi extends BaseAPI { /** * * @summary Archive an experiment. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ExperimentServiceApi */ public archiveExperiment(id: string, options?: any) { return ExperimentServiceApiFp(this.configuration).archiveExperiment(id, options)( this.fetch, this.basePath, ); } /** * * @summary Create a new experiment. * @param {ApiExperiment} body The experiment to be created. * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ExperimentServiceApi */ public createExperiment(body: ApiExperiment, options?: any) { return ExperimentServiceApiFp(this.configuration).createExperiment(body, options)( this.fetch, this.basePath, ); } /** * * @summary Delete an experiment. * @param {string} id The ID of the experiment to be deleted. * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ExperimentServiceApi */ public deleteExperiment(id: string, options?: any) { return ExperimentServiceApiFp(this.configuration).deleteExperiment(id, options)( this.fetch, this.basePath, ); } /** * * @summary Find a specific experiment by ID. * @param {string} id The ID of the experiment to be retrieved. * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ExperimentServiceApi */ public getExperiment(id: string, options?: any) { return ExperimentServiceApiFp(this.configuration).getExperiment(id, options)( this.fetch, this.basePath, ); } /** * * @summary Find all experiments. * @param {string} [page_token] * @param {number} [page_size] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot; Ascending by default. * @param {string} [filter] A url-encoded, JSON-serialized Filter protocol buffer (see [filter.proto](https://github.com/kubeflow/pipelines/ blob/master/backend/api/filter.proto)). * @param {'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE'} [resource_reference_key_type] The type of the resource that referred to. * @param {string} [resource_reference_key_id] The ID of the resource that referred to. * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ExperimentServiceApi */ public listExperiment( page_token?: string, page_size?: number, sort_by?: string, filter?: string, resource_reference_key_type?: | 'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE', resource_reference_key_id?: string, options?: any, ) { return ExperimentServiceApiFp(this.configuration).listExperiment( page_token, page_size, sort_by, filter, resource_reference_key_type, resource_reference_key_id, options, )(this.fetch, this.basePath); } /** * * @summary Restore an archived experiment. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof ExperimentServiceApi */ public unarchiveExperiment(id: string, options?: any) { return ExperimentServiceApiFp(this.configuration).unarchiveExperiment(id, options)( this.fetch, this.basePath, ); } }
7,880
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/experiment/.swagger-codegen-ignore
# Swagger Codegen Ignore # Generated by swagger-codegen https://github.com/swagger-api/swagger-codegen # Use this file to prevent files from being overwritten by the generator. # The patterns follow closely to .gitignore or .dockerignore. # As an example, the C# client generator defines ApiClient.cs. # You can make changes and tell Swagger Codgen to ignore just this file by uncommenting the following line: #ApiClient.cs # You can match any string of characters against a directory, file or extension with a single asterisk (*): #foo/*/qux # The above matches foo/bar/qux and foo/baz/qux, but not foo/bar/baz/qux # You can recursively match patterns against a directory, file or extension with a double asterisk (**): #foo/**/qux # This matches foo/bar/qux, foo/baz/qux, and foo/bar/baz/qux # You can also negate patterns with an exclamation (!). # For example, you can ignore all files in a docs folder with the file extension .md: #docs/*.md # Then explicitly reverse the ignore rule for a single file: #!docs/README.md # Ignore .gitignore .gitignore
7,881
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/experiment/index.ts
// tslint:disable /** * backend/api/experiment.proto * No description provided (generated by Swagger Codegen https://github.com/swagger-api/swagger-codegen) * * OpenAPI spec version: version not set * * * NOTE: This class is auto generated by the swagger code generator program. * https://github.com/swagger-api/swagger-codegen.git * Do not edit the class manually. */ export * from './api'; export * from './configuration';
7,882
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/experiment/custom.d.ts
declare module 'portable-fetch'; declare module 'url';
7,883
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/experiment/configuration.ts
// tslint:disable /** * backend/api/experiment.proto * No description provided (generated by Swagger Codegen https://github.com/swagger-api/swagger-codegen) * * OpenAPI spec version: version not set * * * NOTE: This class is auto generated by the swagger code generator program. * https://github.com/swagger-api/swagger-codegen.git * Do not edit the class manually. */ export interface ConfigurationParameters { apiKey?: string | ((name: string) => string); username?: string; password?: string; accessToken?: string | ((name: string, scopes?: string[]) => string); basePath?: string; } export class Configuration { /** * parameter for apiKey security * @param name security name * @memberof Configuration */ apiKey?: string | ((name: string) => string); /** * parameter for basic security * * @type {string} * @memberof Configuration */ username?: string; /** * parameter for basic security * * @type {string} * @memberof Configuration */ password?: string; /** * parameter for oauth2 security * @param name security name * @param scopes oauth2 scope * @memberof Configuration */ accessToken?: string | ((name: string, scopes?: string[]) => string); /** * override base path * * @type {string} * @memberof Configuration */ basePath?: string; constructor(param: ConfigurationParameters = {}) { this.apiKey = param.apiKey; this.username = param.username; this.password = param.password; this.accessToken = param.accessToken; this.basePath = param.basePath; } }
7,884
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/experiment
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/experiment/.swagger-codegen/VERSION
2.4.7
7,885
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/pipeline/api.ts
/// <reference path="./custom.d.ts" /> // tslint:disable /** * backend/api/pipeline.proto * No description provided (generated by Swagger Codegen https://github.com/swagger-api/swagger-codegen) * * OpenAPI spec version: version not set * * * NOTE: This class is auto generated by the swagger code generator program. * https://github.com/swagger-api/swagger-codegen.git * Do not edit the class manually. */ import * as url from 'url'; import * as portableFetch from 'portable-fetch'; import { Configuration } from './configuration'; const BASE_PATH = 'http://localhost'.replace(/\/+$/, ''); /** * * @export */ export const COLLECTION_FORMATS = { csv: ',', ssv: ' ', tsv: '\t', pipes: '|', }; /** * * @export * @interface FetchAPI */ export interface FetchAPI { (url: string, init?: any): Promise<Response>; } /** * * @export * @interface FetchArgs */ export interface FetchArgs { url: string; options: any; } /** * * @export * @class BaseAPI */ export class BaseAPI { protected configuration: Configuration; constructor( configuration?: Configuration, protected basePath: string = BASE_PATH, protected fetch: FetchAPI = portableFetch, ) { if (configuration) { this.configuration = configuration; this.basePath = configuration.basePath || this.basePath; } } } /** * * @export * @class RequiredError * @extends {Error} */ export class RequiredError extends Error { name: 'RequiredError'; constructor(public field: string, msg?: string) { super(msg); } } /** * * @export * @interface ApiGetTemplateResponse */ export interface ApiGetTemplateResponse { /** * * @type {string} * @memberof ApiGetTemplateResponse */ template?: string; } /** * * @export * @interface ApiListPipelineVersionsResponse */ export interface ApiListPipelineVersionsResponse { /** * * @type {Array<ApiPipelineVersion>} * @memberof ApiListPipelineVersionsResponse */ versions?: Array<ApiPipelineVersion>; /** * * @type {string} * @memberof ApiListPipelineVersionsResponse */ next_page_token?: string; /** * * @type {number} * @memberof ApiListPipelineVersionsResponse */ total_size?: number; } /** * * @export * @interface ApiListPipelinesResponse */ export interface ApiListPipelinesResponse { /** * * @type {Array<ApiPipeline>} * @memberof ApiListPipelinesResponse */ pipelines?: Array<ApiPipeline>; /** * * @type {number} * @memberof ApiListPipelinesResponse */ total_size?: number; /** * * @type {string} * @memberof ApiListPipelinesResponse */ next_page_token?: string; } /** * * @export * @interface ApiParameter */ export interface ApiParameter { /** * * @type {string} * @memberof ApiParameter */ name?: string; /** * * @type {string} * @memberof ApiParameter */ value?: string; } /** * * @export * @interface ApiPipeline */ export interface ApiPipeline { /** * Output. Unique pipeline ID. Generated by API server. * @type {string} * @memberof ApiPipeline */ id?: string; /** * Output. The time this pipeline is created. * @type {Date} * @memberof ApiPipeline */ created_at?: Date; /** * Optional input field. Pipeline name provided by user. If not specified, file name is used as pipeline name. * @type {string} * @memberof ApiPipeline */ name?: string; /** * Optional input field. Describing the purpose of the job. * @type {string} * @memberof ApiPipeline */ description?: string; /** * Output. The input parameters for this pipeline. TODO(jingzhang36): replace this parameters field with the parameters field inside PipelineVersion when all usage of the former has been changed to use the latter. * @type {Array<ApiParameter>} * @memberof ApiPipeline */ parameters?: Array<ApiParameter>; /** * The URL to the source of the pipeline. This is required when creating the pipeine through CreatePipeline API. TODO(jingzhang36): replace this url field with the code_source_urls field inside PipelineVersion when all usage of the former has been changed to use the latter. * @type {ApiUrl} * @memberof ApiPipeline */ url?: ApiUrl; /** * In case any error happens retrieving a pipeline field, only pipeline ID and the error message is returned. Client has the flexibility of choosing how to handle error. This is especially useful during listing call. * @type {string} * @memberof ApiPipeline */ error?: string; /** * * @type {ApiPipelineVersion} * @memberof ApiPipeline */ default_version?: ApiPipelineVersion; } /** * * @export * @interface ApiPipelineVersion */ export interface ApiPipelineVersion { /** * Output. Unique version ID. Generated by API server. * @type {string} * @memberof ApiPipelineVersion */ id?: string; /** * Optional input field. Version name provided by user. * @type {string} * @memberof ApiPipelineVersion */ name?: string; /** * Output. The time this pipeline version is created. * @type {Date} * @memberof ApiPipelineVersion */ created_at?: Date; /** * Output. The input parameters for this pipeline. * @type {Array<ApiParameter>} * @memberof ApiPipelineVersion */ parameters?: Array<ApiParameter>; /** * Input. Optional. Pipeline version code source. * @type {string} * @memberof ApiPipelineVersion */ code_source_url?: string; /** * Input. Required. Pipeline version package url. Whe calling CreatePipelineVersion API method, need to provide one package file location. * @type {ApiUrl} * @memberof ApiPipelineVersion */ package_url?: ApiUrl; /** * Input. Required. E.g., specify which pipeline this pipeline version belongs to. * @type {Array<ApiResourceReference>} * @memberof ApiPipelineVersion */ resource_references?: Array<ApiResourceReference>; } /** * * @export * @enum {string} */ export enum ApiRelationship { UNKNOWNRELATIONSHIP = <any>'UNKNOWN_RELATIONSHIP', OWNER = <any>'OWNER', CREATOR = <any>'CREATOR', } /** * * @export * @interface ApiResourceKey */ export interface ApiResourceKey { /** * The type of the resource that referred to. * @type {ApiResourceType} * @memberof ApiResourceKey */ type?: ApiResourceType; /** * The ID of the resource that referred to. * @type {string} * @memberof ApiResourceKey */ id?: string; } /** * * @export * @interface ApiResourceReference */ export interface ApiResourceReference { /** * * @type {ApiResourceKey} * @memberof ApiResourceReference */ key?: ApiResourceKey; /** * The name of the resource that referred to. * @type {string} * @memberof ApiResourceReference */ name?: string; /** * Required field. The relationship from referred resource to the object. * @type {ApiRelationship} * @memberof ApiResourceReference */ relationship?: ApiRelationship; } /** * * @export * @enum {string} */ export enum ApiResourceType { UNKNOWNRESOURCETYPE = <any>'UNKNOWN_RESOURCE_TYPE', EXPERIMENT = <any>'EXPERIMENT', JOB = <any>'JOB', PIPELINE = <any>'PIPELINE', PIPELINEVERSION = <any>'PIPELINE_VERSION', NAMESPACE = <any>'NAMESPACE', } /** * * @export * @interface ApiStatus */ export interface ApiStatus { /** * * @type {string} * @memberof ApiStatus */ error?: string; /** * * @type {number} * @memberof ApiStatus */ code?: number; /** * * @type {Array<ProtobufAny>} * @memberof ApiStatus */ details?: Array<ProtobufAny>; } /** * * @export * @interface ApiUrl */ export interface ApiUrl { /** * * @type {string} * @memberof ApiUrl */ pipeline_url?: string; } /** * `Any` contains an arbitrary serialized protocol buffer message along with a URL that describes the type of the serialized message. Protobuf library provides support to pack/unpack Any values in the form of utility functions or additional generated methods of the Any type. Example 1: Pack and unpack a message in C++. Foo foo = ...; Any any; any.PackFrom(foo); ... if (any.UnpackTo(&foo)) { ... } Example 2: Pack and unpack a message in Java. Foo foo = ...; Any any = Any.pack(foo); ... if (any.is(Foo.class)) { foo = any.unpack(Foo.class); } Example 3: Pack and unpack a message in Python. foo = Foo(...) any = Any() any.Pack(foo) ... if any.Is(Foo.DESCRIPTOR): any.Unpack(foo) ... Example 4: Pack and unpack a message in Go foo := &pb.Foo{...} any, err := ptypes.MarshalAny(foo) ... foo := &pb.Foo{} if err := ptypes.UnmarshalAny(any, foo); err != nil { ... } The pack methods provided by protobuf library will by default use 'type.googleapis.com/full.type.name' as the type URL and the unpack methods only use the fully qualified type name after the last '/' in the type URL, for example \"foo.bar.com/x/y.z\" will yield type name \"y.z\". JSON ==== The JSON representation of an `Any` value uses the regular representation of the deserialized, embedded message, with an additional field `@type` which contains the type URL. Example: package google.profile; message Person { string first_name = 1; string last_name = 2; } { \"@type\": \"type.googleapis.com/google.profile.Person\", \"firstName\": <string>, \"lastName\": <string> } If the embedded message type is well-known and has a custom JSON representation, that representation will be embedded adding a field `value` which holds the custom JSON in addition to the `@type` field. Example (for message [google.protobuf.Duration][]): { \"@type\": \"type.googleapis.com/google.protobuf.Duration\", \"value\": \"1.212s\" } * @export * @interface ProtobufAny */ export interface ProtobufAny { /** * A URL/resource name that uniquely identifies the type of the serialized protocol buffer message. The last segment of the URL's path must represent the fully qualified name of the type (as in `path/google.protobuf.Duration`). The name should be in a canonical form (e.g., leading \".\" is not accepted). In practice, teams usually precompile into the binary all types that they expect it to use in the context of Any. However, for URLs which use the scheme `http`, `https`, or no scheme, one can optionally set up a type server that maps type URLs to message definitions as follows: * If no scheme is provided, `https` is assumed. * An HTTP GET on the URL must yield a [google.protobuf.Type][] value in binary format, or produce an error. * Applications are allowed to cache lookup results based on the URL, or have them precompiled into a binary to avoid any lookup. Therefore, binary compatibility needs to be preserved on changes to types. (Use versioned type names to manage breaking changes.) Note: this functionality is not currently available in the official protobuf release, and it is not used for type URLs beginning with type.googleapis.com. Schemes other than `http`, `https` (or the empty scheme) might be used with implementation specific semantics. * @type {string} * @memberof ProtobufAny */ type_url?: string; /** * Must be a valid serialized protocol buffer of the above specified type. * @type {string} * @memberof ProtobufAny */ value?: string; } /** * PipelineServiceApi - fetch parameter creator * @export */ export const PipelineServiceApiFetchParamCreator = function(configuration?: Configuration) { return { /** * * @summary Add a pipeline. * @param {ApiPipeline} body * @param {*} [options] Override http request option. * @throws {RequiredError} */ createPipeline(body: ApiPipeline, options: any = {}): FetchArgs { // verify required parameter 'body' is not null or undefined if (body === null || body === undefined) { throw new RequiredError( 'body', 'Required parameter body was null or undefined when calling createPipeline.', ); } const localVarPath = `/apis/v1beta1/pipelines`; const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'POST' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarHeaderParameter['Content-Type'] = 'application/json'; localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); const needsSerialization = <any>'ApiPipeline' !== 'string' || localVarRequestOptions.headers['Content-Type'] === 'application/json'; localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : body || ''; return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @param {ApiPipelineVersion} body ResourceReference inside PipelineVersion specifies the pipeline that this version belongs to. * @param {*} [options] Override http request option. * @throws {RequiredError} */ createPipelineVersion(body: ApiPipelineVersion, options: any = {}): FetchArgs { // verify required parameter 'body' is not null or undefined if (body === null || body === undefined) { throw new RequiredError( 'body', 'Required parameter body was null or undefined when calling createPipelineVersion.', ); } const localVarPath = `/apis/v1beta1/pipeline_versions`; const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'POST' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarHeaderParameter['Content-Type'] = 'application/json'; localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); const needsSerialization = <any>'ApiPipelineVersion' !== 'string' || localVarRequestOptions.headers['Content-Type'] === 'application/json'; localVarRequestOptions.body = needsSerialization ? JSON.stringify(body || {}) : body || ''; return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Delete a pipeline. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ deletePipeline(id: string, options: any = {}): FetchArgs { // verify required parameter 'id' is not null or undefined if (id === null || id === undefined) { throw new RequiredError( 'id', 'Required parameter id was null or undefined when calling deletePipeline.', ); } const localVarPath = `/apis/v1beta1/pipelines/{id}`.replace( `{${'id'}}`, encodeURIComponent(String(id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'DELETE' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @param {string} version_id * @param {*} [options] Override http request option. * @throws {RequiredError} */ deletePipelineVersion(version_id: string, options: any = {}): FetchArgs { // verify required parameter 'version_id' is not null or undefined if (version_id === null || version_id === undefined) { throw new RequiredError( 'version_id', 'Required parameter version_id was null or undefined when calling deletePipelineVersion.', ); } const localVarPath = `/apis/v1beta1/pipeline_versions/{version_id}`.replace( `{${'version_id'}}`, encodeURIComponent(String(version_id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'DELETE' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Find a specific pipeline by ID. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ getPipeline(id: string, options: any = {}): FetchArgs { // verify required parameter 'id' is not null or undefined if (id === null || id === undefined) { throw new RequiredError( 'id', 'Required parameter id was null or undefined when calling getPipeline.', ); } const localVarPath = `/apis/v1beta1/pipelines/{id}`.replace( `{${'id'}}`, encodeURIComponent(String(id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'GET' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @param {string} version_id * @param {*} [options] Override http request option. * @throws {RequiredError} */ getPipelineVersion(version_id: string, options: any = {}): FetchArgs { // verify required parameter 'version_id' is not null or undefined if (version_id === null || version_id === undefined) { throw new RequiredError( 'version_id', 'Required parameter version_id was null or undefined when calling getPipelineVersion.', ); } const localVarPath = `/apis/v1beta1/pipeline_versions/{version_id}`.replace( `{${'version_id'}}`, encodeURIComponent(String(version_id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'GET' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @param {string} version_id * @param {*} [options] Override http request option. * @throws {RequiredError} */ getPipelineVersionTemplate(version_id: string, options: any = {}): FetchArgs { // verify required parameter 'version_id' is not null or undefined if (version_id === null || version_id === undefined) { throw new RequiredError( 'version_id', 'Required parameter version_id was null or undefined when calling getPipelineVersionTemplate.', ); } const localVarPath = `/apis/v1beta1/pipeline_versions/{version_id}/templates`.replace( `{${'version_id'}}`, encodeURIComponent(String(version_id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'GET' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Returns a single YAML template that contains the description, parameters, and metadata associated with the pipeline provided. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ getTemplate(id: string, options: any = {}): FetchArgs { // verify required parameter 'id' is not null or undefined if (id === null || id === undefined) { throw new RequiredError( 'id', 'Required parameter id was null or undefined when calling getTemplate.', ); } const localVarPath = `/apis/v1beta1/pipelines/{id}/templates`.replace( `{${'id'}}`, encodeURIComponent(String(id)), ); const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'GET' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @param {'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE'} [resource_key_type] The type of the resource that referred to. * @param {string} [resource_key_id] The ID of the resource that referred to. * @param {number} [page_size] * @param {string} [page_token] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot; Ascending by default. * @param {string} [filter] A base-64 encoded, JSON-serialized Filter protocol buffer (see filter.proto). * @param {*} [options] Override http request option. * @throws {RequiredError} */ listPipelineVersions( resource_key_type?: | 'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE', resource_key_id?: string, page_size?: number, page_token?: string, sort_by?: string, filter?: string, options: any = {}, ): FetchArgs { const localVarPath = `/apis/v1beta1/pipeline_versions`; const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'GET' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } if (resource_key_type !== undefined) { localVarQueryParameter['resource_key.type'] = resource_key_type; } if (resource_key_id !== undefined) { localVarQueryParameter['resource_key.id'] = resource_key_id; } if (page_size !== undefined) { localVarQueryParameter['page_size'] = page_size; } if (page_token !== undefined) { localVarQueryParameter['page_token'] = page_token; } if (sort_by !== undefined) { localVarQueryParameter['sort_by'] = sort_by; } if (filter !== undefined) { localVarQueryParameter['filter'] = filter; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, /** * * @summary Find all pipelines. * @param {string} [page_token] * @param {number} [page_size] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot; Ascending by default. * @param {string} [filter] A url-encoded, JSON-serialized Filter protocol buffer (see [filter.proto](https://github.com/kubeflow/pipelines/ blob/master/backend/api/filter.proto)). * @param {*} [options] Override http request option. * @throws {RequiredError} */ listPipelines( page_token?: string, page_size?: number, sort_by?: string, filter?: string, options: any = {}, ): FetchArgs { const localVarPath = `/apis/v1beta1/pipelines`; const localVarUrlObj = url.parse(localVarPath, true); const localVarRequestOptions = Object.assign({ method: 'GET' }, options); const localVarHeaderParameter = {} as any; const localVarQueryParameter = {} as any; // authentication Bearer required if (configuration && configuration.apiKey) { const localVarApiKeyValue = typeof configuration.apiKey === 'function' ? configuration.apiKey('authorization') : configuration.apiKey; localVarHeaderParameter['authorization'] = localVarApiKeyValue; } if (page_token !== undefined) { localVarQueryParameter['page_token'] = page_token; } if (page_size !== undefined) { localVarQueryParameter['page_size'] = page_size; } if (sort_by !== undefined) { localVarQueryParameter['sort_by'] = sort_by; } if (filter !== undefined) { localVarQueryParameter['filter'] = filter; } localVarUrlObj.query = Object.assign( {}, localVarUrlObj.query, localVarQueryParameter, options.query, ); // fix override query string Detail: https://stackoverflow.com/a/7517673/1077943 delete localVarUrlObj.search; localVarRequestOptions.headers = Object.assign({}, localVarHeaderParameter, options.headers); return { url: url.format(localVarUrlObj), options: localVarRequestOptions, }; }, }; }; /** * PipelineServiceApi - functional programming interface * @export */ export const PipelineServiceApiFp = function(configuration?: Configuration) { return { /** * * @summary Add a pipeline. * @param {ApiPipeline} body * @param {*} [options] Override http request option. * @throws {RequiredError} */ createPipeline( body: ApiPipeline, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiPipeline> { const localVarFetchArgs = PipelineServiceApiFetchParamCreator(configuration).createPipeline( body, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @param {ApiPipelineVersion} body ResourceReference inside PipelineVersion specifies the pipeline that this version belongs to. * @param {*} [options] Override http request option. * @throws {RequiredError} */ createPipelineVersion( body: ApiPipelineVersion, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiPipelineVersion> { const localVarFetchArgs = PipelineServiceApiFetchParamCreator( configuration, ).createPipelineVersion(body, options); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Delete a pipeline. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ deletePipeline( id: string, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<any> { const localVarFetchArgs = PipelineServiceApiFetchParamCreator(configuration).deletePipeline( id, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @param {string} version_id * @param {*} [options] Override http request option. * @throws {RequiredError} */ deletePipelineVersion( version_id: string, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<any> { const localVarFetchArgs = PipelineServiceApiFetchParamCreator( configuration, ).deletePipelineVersion(version_id, options); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Find a specific pipeline by ID. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ getPipeline( id: string, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiPipeline> { const localVarFetchArgs = PipelineServiceApiFetchParamCreator(configuration).getPipeline( id, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @param {string} version_id * @param {*} [options] Override http request option. * @throws {RequiredError} */ getPipelineVersion( version_id: string, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiPipelineVersion> { const localVarFetchArgs = PipelineServiceApiFetchParamCreator( configuration, ).getPipelineVersion(version_id, options); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @param {string} version_id * @param {*} [options] Override http request option. * @throws {RequiredError} */ getPipelineVersionTemplate( version_id: string, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiGetTemplateResponse> { const localVarFetchArgs = PipelineServiceApiFetchParamCreator( configuration, ).getPipelineVersionTemplate(version_id, options); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Returns a single YAML template that contains the description, parameters, and metadata associated with the pipeline provided. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ getTemplate( id: string, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiGetTemplateResponse> { const localVarFetchArgs = PipelineServiceApiFetchParamCreator(configuration).getTemplate( id, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @param {'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE'} [resource_key_type] The type of the resource that referred to. * @param {string} [resource_key_id] The ID of the resource that referred to. * @param {number} [page_size] * @param {string} [page_token] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot; Ascending by default. * @param {string} [filter] A base-64 encoded, JSON-serialized Filter protocol buffer (see filter.proto). * @param {*} [options] Override http request option. * @throws {RequiredError} */ listPipelineVersions( resource_key_type?: | 'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE', resource_key_id?: string, page_size?: number, page_token?: string, sort_by?: string, filter?: string, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiListPipelineVersionsResponse> { const localVarFetchArgs = PipelineServiceApiFetchParamCreator( configuration, ).listPipelineVersions( resource_key_type, resource_key_id, page_size, page_token, sort_by, filter, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, /** * * @summary Find all pipelines. * @param {string} [page_token] * @param {number} [page_size] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot; Ascending by default. * @param {string} [filter] A url-encoded, JSON-serialized Filter protocol buffer (see [filter.proto](https://github.com/kubeflow/pipelines/ blob/master/backend/api/filter.proto)). * @param {*} [options] Override http request option. * @throws {RequiredError} */ listPipelines( page_token?: string, page_size?: number, sort_by?: string, filter?: string, options?: any, ): (fetch?: FetchAPI, basePath?: string) => Promise<ApiListPipelinesResponse> { const localVarFetchArgs = PipelineServiceApiFetchParamCreator(configuration).listPipelines( page_token, page_size, sort_by, filter, options, ); return (fetch: FetchAPI = portableFetch, basePath: string = BASE_PATH) => { return fetch(basePath + localVarFetchArgs.url, localVarFetchArgs.options).then(response => { if (response.status >= 200 && response.status < 300) { return response.json(); } else { throw response; } }); }; }, }; }; /** * PipelineServiceApi - factory interface * @export */ export const PipelineServiceApiFactory = function( configuration?: Configuration, fetch?: FetchAPI, basePath?: string, ) { return { /** * * @summary Add a pipeline. * @param {ApiPipeline} body * @param {*} [options] Override http request option. * @throws {RequiredError} */ createPipeline(body: ApiPipeline, options?: any) { return PipelineServiceApiFp(configuration).createPipeline(body, options)(fetch, basePath); }, /** * * @param {ApiPipelineVersion} body ResourceReference inside PipelineVersion specifies the pipeline that this version belongs to. * @param {*} [options] Override http request option. * @throws {RequiredError} */ createPipelineVersion(body: ApiPipelineVersion, options?: any) { return PipelineServiceApiFp(configuration).createPipelineVersion(body, options)( fetch, basePath, ); }, /** * * @summary Delete a pipeline. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ deletePipeline(id: string, options?: any) { return PipelineServiceApiFp(configuration).deletePipeline(id, options)(fetch, basePath); }, /** * * @param {string} version_id * @param {*} [options] Override http request option. * @throws {RequiredError} */ deletePipelineVersion(version_id: string, options?: any) { return PipelineServiceApiFp(configuration).deletePipelineVersion(version_id, options)( fetch, basePath, ); }, /** * * @summary Find a specific pipeline by ID. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ getPipeline(id: string, options?: any) { return PipelineServiceApiFp(configuration).getPipeline(id, options)(fetch, basePath); }, /** * * @param {string} version_id * @param {*} [options] Override http request option. * @throws {RequiredError} */ getPipelineVersion(version_id: string, options?: any) { return PipelineServiceApiFp(configuration).getPipelineVersion(version_id, options)( fetch, basePath, ); }, /** * * @param {string} version_id * @param {*} [options] Override http request option. * @throws {RequiredError} */ getPipelineVersionTemplate(version_id: string, options?: any) { return PipelineServiceApiFp(configuration).getPipelineVersionTemplate(version_id, options)( fetch, basePath, ); }, /** * * @summary Returns a single YAML template that contains the description, parameters, and metadata associated with the pipeline provided. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} */ getTemplate(id: string, options?: any) { return PipelineServiceApiFp(configuration).getTemplate(id, options)(fetch, basePath); }, /** * * @param {'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE'} [resource_key_type] The type of the resource that referred to. * @param {string} [resource_key_id] The ID of the resource that referred to. * @param {number} [page_size] * @param {string} [page_token] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot; Ascending by default. * @param {string} [filter] A base-64 encoded, JSON-serialized Filter protocol buffer (see filter.proto). * @param {*} [options] Override http request option. * @throws {RequiredError} */ listPipelineVersions( resource_key_type?: | 'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE', resource_key_id?: string, page_size?: number, page_token?: string, sort_by?: string, filter?: string, options?: any, ) { return PipelineServiceApiFp(configuration).listPipelineVersions( resource_key_type, resource_key_id, page_size, page_token, sort_by, filter, options, )(fetch, basePath); }, /** * * @summary Find all pipelines. * @param {string} [page_token] * @param {number} [page_size] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot; Ascending by default. * @param {string} [filter] A url-encoded, JSON-serialized Filter protocol buffer (see [filter.proto](https://github.com/kubeflow/pipelines/ blob/master/backend/api/filter.proto)). * @param {*} [options] Override http request option. * @throws {RequiredError} */ listPipelines( page_token?: string, page_size?: number, sort_by?: string, filter?: string, options?: any, ) { return PipelineServiceApiFp(configuration).listPipelines( page_token, page_size, sort_by, filter, options, )(fetch, basePath); }, }; }; /** * PipelineServiceApi - object-oriented interface * @export * @class PipelineServiceApi * @extends {BaseAPI} */ export class PipelineServiceApi extends BaseAPI { /** * * @summary Add a pipeline. * @param {ApiPipeline} body * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof PipelineServiceApi */ public createPipeline(body: ApiPipeline, options?: any) { return PipelineServiceApiFp(this.configuration).createPipeline(body, options)( this.fetch, this.basePath, ); } /** * * @param {ApiPipelineVersion} body ResourceReference inside PipelineVersion specifies the pipeline that this version belongs to. * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof PipelineServiceApi */ public createPipelineVersion(body: ApiPipelineVersion, options?: any) { return PipelineServiceApiFp(this.configuration).createPipelineVersion(body, options)( this.fetch, this.basePath, ); } /** * * @summary Delete a pipeline. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof PipelineServiceApi */ public deletePipeline(id: string, options?: any) { return PipelineServiceApiFp(this.configuration).deletePipeline(id, options)( this.fetch, this.basePath, ); } /** * * @param {string} version_id * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof PipelineServiceApi */ public deletePipelineVersion(version_id: string, options?: any) { return PipelineServiceApiFp(this.configuration).deletePipelineVersion(version_id, options)( this.fetch, this.basePath, ); } /** * * @summary Find a specific pipeline by ID. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof PipelineServiceApi */ public getPipeline(id: string, options?: any) { return PipelineServiceApiFp(this.configuration).getPipeline(id, options)( this.fetch, this.basePath, ); } /** * * @param {string} version_id * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof PipelineServiceApi */ public getPipelineVersion(version_id: string, options?: any) { return PipelineServiceApiFp(this.configuration).getPipelineVersion(version_id, options)( this.fetch, this.basePath, ); } /** * * @param {string} version_id * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof PipelineServiceApi */ public getPipelineVersionTemplate(version_id: string, options?: any) { return PipelineServiceApiFp(this.configuration).getPipelineVersionTemplate(version_id, options)( this.fetch, this.basePath, ); } /** * * @summary Returns a single YAML template that contains the description, parameters, and metadata associated with the pipeline provided. * @param {string} id * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof PipelineServiceApi */ public getTemplate(id: string, options?: any) { return PipelineServiceApiFp(this.configuration).getTemplate(id, options)( this.fetch, this.basePath, ); } /** * * @param {'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE'} [resource_key_type] The type of the resource that referred to. * @param {string} [resource_key_id] The ID of the resource that referred to. * @param {number} [page_size] * @param {string} [page_token] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot; Ascending by default. * @param {string} [filter] A base-64 encoded, JSON-serialized Filter protocol buffer (see filter.proto). * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof PipelineServiceApi */ public listPipelineVersions( resource_key_type?: | 'UNKNOWN_RESOURCE_TYPE' | 'EXPERIMENT' | 'JOB' | 'PIPELINE' | 'PIPELINE_VERSION' | 'NAMESPACE', resource_key_id?: string, page_size?: number, page_token?: string, sort_by?: string, filter?: string, options?: any, ) { return PipelineServiceApiFp(this.configuration).listPipelineVersions( resource_key_type, resource_key_id, page_size, page_token, sort_by, filter, options, )(this.fetch, this.basePath); } /** * * @summary Find all pipelines. * @param {string} [page_token] * @param {number} [page_size] * @param {string} [sort_by] Can be format of \&quot;field_name\&quot;, \&quot;field_name asc\&quot; or \&quot;field_name des\&quot; Ascending by default. * @param {string} [filter] A url-encoded, JSON-serialized Filter protocol buffer (see [filter.proto](https://github.com/kubeflow/pipelines/ blob/master/backend/api/filter.proto)). * @param {*} [options] Override http request option. * @throws {RequiredError} * @memberof PipelineServiceApi */ public listPipelines( page_token?: string, page_size?: number, sort_by?: string, filter?: string, options?: any, ) { return PipelineServiceApiFp(this.configuration).listPipelines( page_token, page_size, sort_by, filter, options, )(this.fetch, this.basePath); } }
7,886
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/pipeline/.swagger-codegen-ignore
# Swagger Codegen Ignore # Generated by swagger-codegen https://github.com/swagger-api/swagger-codegen # Use this file to prevent files from being overwritten by the generator. # The patterns follow closely to .gitignore or .dockerignore. # As an example, the C# client generator defines ApiClient.cs. # You can make changes and tell Swagger Codgen to ignore just this file by uncommenting the following line: #ApiClient.cs # You can match any string of characters against a directory, file or extension with a single asterisk (*): #foo/*/qux # The above matches foo/bar/qux and foo/baz/qux, but not foo/bar/baz/qux # You can recursively match patterns against a directory, file or extension with a double asterisk (**): #foo/**/qux # This matches foo/bar/qux, foo/baz/qux, and foo/bar/baz/qux # You can also negate patterns with an exclamation (!). # For example, you can ignore all files in a docs folder with the file extension .md: #docs/*.md # Then explicitly reverse the ignore rule for a single file: #!docs/README.md # Ignore .gitignore .gitignore
7,887
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/pipeline/index.ts
// tslint:disable /** * backend/api/pipeline.proto * No description provided (generated by Swagger Codegen https://github.com/swagger-api/swagger-codegen) * * OpenAPI spec version: version not set * * * NOTE: This class is auto generated by the swagger code generator program. * https://github.com/swagger-api/swagger-codegen.git * Do not edit the class manually. */ export * from './api'; export * from './configuration';
7,888
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/pipeline/custom.d.ts
declare module 'portable-fetch'; declare module 'url';
7,889
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/pipeline/configuration.ts
// tslint:disable /** * backend/api/pipeline.proto * No description provided (generated by Swagger Codegen https://github.com/swagger-api/swagger-codegen) * * OpenAPI spec version: version not set * * * NOTE: This class is auto generated by the swagger code generator program. * https://github.com/swagger-api/swagger-codegen.git * Do not edit the class manually. */ export interface ConfigurationParameters { apiKey?: string | ((name: string) => string); username?: string; password?: string; accessToken?: string | ((name: string, scopes?: string[]) => string); basePath?: string; } export class Configuration { /** * parameter for apiKey security * @param name security name * @memberof Configuration */ apiKey?: string | ((name: string) => string); /** * parameter for basic security * * @type {string} * @memberof Configuration */ username?: string; /** * parameter for basic security * * @type {string} * @memberof Configuration */ password?: string; /** * parameter for oauth2 security * @param name security name * @param scopes oauth2 scope * @memberof Configuration */ accessToken?: string | ((name: string, scopes?: string[]) => string); /** * override base path * * @type {string} * @memberof Configuration */ basePath?: string; constructor(param: ConfigurationParameters = {}) { this.apiKey = param.apiKey; this.username = param.username; this.password = param.password; this.accessToken = param.accessToken; this.basePath = param.basePath; } }
7,890
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/pipeline
kubeflow_public_repos/kfp-tekton-backend/frontend/src/apis/pipeline/.swagger-codegen/VERSION
2.4.7
7,891
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/atoms/Separator.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; type Orientation = 'horizontal' | 'vertical'; interface SeparatorProps { orientation?: Orientation; units?: number; } const style = (orientation: Orientation, units: number) => { return orientation === 'horizontal' ? { display: 'inline-block', minWidth: units, width: units, } : { display: 'block', flexShrink: 0, height: units, minHeight: units, }; }; const Separator = (props: SeparatorProps) => ( <span style={style(props.orientation || 'horizontal', props.units || 10)} /> ); export default Separator;
7,892
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/atoms/ExternalLink.tsx
import React, { DetailedHTMLProps, AnchorHTMLAttributes } from 'react'; import { stylesheet } from 'typestyle'; import { color } from '../Css'; const css = stylesheet({ link: { $nest: { '&:hover': { textDecoration: 'underline', }, }, color: color.theme, textDecoration: 'none', }, }); export const ExternalLink: React.FC<DetailedHTMLProps< AnchorHTMLAttributes<HTMLAnchorElement>, HTMLAnchorElement >> = props => ( // eslint-disable-next-line jsx-a11y/anchor-has-content <a {...props} className={css.link} target='_blank' rel='noopener' /> ); export const AutoLink: React.FC<DetailedHTMLProps< AnchorHTMLAttributes<HTMLAnchorElement>, HTMLAnchorElement >> = props => props.href && props.href.startsWith('#') ? ( // eslint-disable-next-line jsx-a11y/anchor-has-content <a {...props} className={css.link} /> ) : ( <ExternalLink {...props} /> );
7,893
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/atoms/MD2Tabs.test.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import MD2Tabs from './MD2Tabs'; import toJson from 'enzyme-to-json'; import { logger } from '../lib/Utils'; import { shallow, mount } from 'enzyme'; describe('Input', () => { const buttonSelector = 'WithStyles(Button)'; it('renders with the right styles by default', () => { const tree = shallow(<MD2Tabs tabs={['tab1', 'tab2']} selectedTab={0} />); expect(toJson(tree)).toMatchSnapshot(); }); it('does not try to call the onSwitch handler if it is not defined', () => { const tree = shallow(<MD2Tabs tabs={['tab1', 'tab2']} selectedTab={0} />); tree .find(buttonSelector) .at(1) .simulate('click'); }); it('calls the onSwitch function if an unselected button is clicked', () => { const switchHandler = jest.fn(); const tree = shallow( <MD2Tabs tabs={['tab1', 'tab2']} selectedTab={0} onSwitch={switchHandler} />, ); tree .find(buttonSelector) .at(1) .simulate('click'); expect(switchHandler).toHaveBeenCalled(); }); it('does not the onSwitch function if the already selected button is clicked', () => { const switchHandler = jest.fn(); const tree = shallow( <MD2Tabs tabs={['tab1', 'tab2']} selectedTab={1} onSwitch={switchHandler} />, ); tree .find(buttonSelector) .at(1) .simulate('click'); expect(switchHandler).not.toHaveBeenCalled(); }); it('gracefully handles an out of bound selectedTab value', () => { logger.error = jest.fn(); const tree = mount(<MD2Tabs tabs={['tab1', 'tab2']} selectedTab={100} />); (tree.instance() as any)._updateIndicator(); expect(toJson(tree)).toMatchSnapshot(); }); it('recalculates indicator styles when props are updated', () => { const spy = jest.fn(); jest.useFakeTimers(); jest.spyOn(MD2Tabs.prototype as any, '_updateIndicator').mockImplementationOnce(spy); const tree = mount(<MD2Tabs tabs={['tab1', 'tab2']} selectedTab={0} />); tree.instance().componentDidUpdate!({}, {}); jest.runAllTimers(); expect(spy).toHaveBeenCalled(); }); });
7,894
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/atoms/Input.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import TextField, { OutlinedTextFieldProps } from '@material-ui/core/TextField'; import { commonCss } from '../Css'; interface InputProps extends OutlinedTextFieldProps { height?: number | string; maxWidth?: number | string; width?: number; } const Input = (props: InputProps) => { const { height, maxWidth, variant, width, ...rest } = props; return ( <TextField variant={variant} className={commonCss.textField} spellCheck={false} style={{ height: !!props.multiline ? 'auto' : height || 40, maxWidth: maxWidth || 600, width: width || '100%', }} {...rest} > {props.children} </TextField> ); }; export default Input;
7,895
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/atoms/Separator.test.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import Separator from './Separator'; import toJson from 'enzyme-to-json'; import { shallow } from 'enzyme'; describe('Separator', () => { it('renders with the right styles by default', () => { const tree = shallow(<Separator />); expect(toJson(tree)).toMatchSnapshot(); }); it('renders with the specified orientation', () => { const tree = shallow(<Separator orientation='vertical' />); expect(toJson(tree)).toMatchSnapshot(); }); it('renders with the specified units', () => { const tree = shallow(<Separator units={123} />); expect(toJson(tree)).toMatchSnapshot(); }); });
7,896
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/atoms/Input.test.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import Input from './Input'; import { shallow } from 'enzyme'; import toJson from 'enzyme-to-json'; describe('Input', () => { const handleChange = jest.fn(); const value = 'some input value'; it('renders with the right styles by default', () => { const tree = shallow( <Input onChange={handleChange('fieldname')} value={value} variant='outlined' />, ); expect(toJson(tree)).toMatchSnapshot(); }); it('accepts height and width as prop overrides', () => { const tree = shallow( <Input height={123} width={456} onChange={handleChange('fieldname')} value={value} variant='outlined' />, ); expect(toJson(tree)).toMatchSnapshot(); }); });
7,897
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/atoms/BusyButton.tsx
/* * Copyright 2018 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import Button, { ButtonProps } from '@material-ui/core/Button'; import CircularProgress from '@material-ui/core/CircularProgress'; import { stylesheet, classes } from 'typestyle'; const css = stylesheet({ icon: { height: 20, marginRight: 4, width: 20, }, root: { cursor: 'pointer', marginBottom: 2, // To prevent container from flickering as the spinner shows up position: 'relative', transition: 'padding 0.3s', }, rootBusy: { cursor: 'default', paddingRight: 35, }, spinner: { opacity: 0, position: 'absolute', right: '0.8em', transition: 'all 0.3s', }, spinnerBusy: { opacity: 1, }, }); interface BusyButtonProps extends ButtonProps { title: string; icon?: any; busy?: boolean; outlined?: boolean; } class BusyButton extends React.Component<BusyButtonProps> { public render(): JSX.Element { const { title, busy, className, disabled, icon, outlined, ...rest } = this.props; return ( <Button {...rest} color={outlined ? 'primary' : 'secondary'} className={classes(css.root, busy && css.rootBusy, className)} disabled={busy || disabled} > {!!icon && <this.props.icon className={css.icon} />} <span>{title}</span> {busy === true && ( <CircularProgress size={15} className={classes(css.spinner, busy && css.spinnerBusy)} /> )} </Button> ); } } export default BusyButton;
7,898
0
kubeflow_public_repos/kfp-tekton-backend/frontend/src
kubeflow_public_repos/kfp-tekton-backend/frontend/src/atoms/IconWithTooltip.test.tsx
/* * Copyright 2019 Google LLC * * Licensed under the Apache License, Version 2.0 (the "License"); * you may not use this file except in compliance with the License. * You may obtain a copy of the License at * * https://www.apache.org/licenses/LICENSE-2.0 * * Unless required by applicable law or agreed to in writing, software * distributed under the License is distributed on an "AS IS" BASIS, * WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. * See the License for the specific language governing permissions and * limitations under the License. */ import * as React from 'react'; import IconWithTooltip from './IconWithTooltip'; import TestIcon from '@material-ui/icons/Help'; import { create } from 'react-test-renderer'; describe('IconWithTooltip', () => { it('renders without height or weight', () => { const tree = create( <IconWithTooltip Icon={TestIcon} iconColor='green' tooltip='test icon tooltip' />, ); expect(tree).toMatchSnapshot(); }); it('renders with height and weight', () => { const tree = create( <IconWithTooltip Icon={TestIcon} height={20} width={20} iconColor='green' tooltip='test icon tooltip' />, ); expect(tree).toMatchSnapshot(); }); });
7,899