123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539 |
- import {Component, Fragment} from 'react';
- import {findDOMNode} from 'react-dom';
- import {components} from 'react-select';
- import styled from '@emotion/styled';
- import {ModalRenderProps} from 'sentry/actionCreators/modal';
- import AsyncComponent from 'sentry/components/asyncComponent';
- import SelectControl, {
- StylesConfig,
- } from 'sentry/components/forms/controls/selectControl';
- import IdBadge from 'sentry/components/idBadge';
- import Link from 'sentry/components/links/link';
- import LoadingIndicator from 'sentry/components/loadingIndicator';
- import {t, tct} from 'sentry/locale';
- import ConfigStore from 'sentry/stores/configStore';
- import OrganizationsStore from 'sentry/stores/organizationsStore';
- import OrganizationStore from 'sentry/stores/organizationStore';
- import space from 'sentry/styles/space';
- import {Integration, Organization, Project} from 'sentry/types';
- import Projects from 'sentry/utils/projects';
- import replaceRouterParams from 'sentry/utils/replaceRouterParams';
- import IntegrationIcon from 'sentry/views/organizationIntegrations/integrationIcon';
- type Props = ModalRenderProps & {
- integrationConfigs: Integration[];
- loading: boolean;
- /**
- * Does modal need to prompt for organization.
- * TODO(billy): This can be derived from `nextPath`
- */
- needOrg: boolean;
- /**
- * Does modal need to prompt for project
- */
- needProject: boolean;
- /**
- * The destination route
- */
- nextPath: string;
- /**
- * Finish callback
- */
- onFinish: (path: string) => number | void;
- /**
- * Callback for when organization is selected
- */
- onSelectOrganization: (orgSlug: string) => void;
- /**
- * Organization slug
- */
- organization: string;
- /**
- * List of available organizations
- */
- organizations: Organization[];
- projects: Project[];
- };
- const selectStyles: StylesConfig = {
- menu: provided => ({
- ...provided,
- position: 'initial',
- boxShadow: 'none',
- marginBottom: 0,
- }),
- option: (provided, state: any) => ({
- ...provided,
- opacity: state.isDisabled ? 0.6 : 1,
- cursor: state.isDisabled ? 'not-allowed' : 'pointer',
- pointerEvents: state.isDisabled ? 'none' : 'auto',
- }),
- };
- class ContextPickerModal extends Component<Props> {
- componentDidMount() {
- const {organization, projects, organizations} = this.props;
- // Don't make any assumptions if there are multiple organizations
- if (organizations.length !== 1) {
- return;
- }
- // If there is an org in context (and there's only 1 org available),
- // attempt to see if we need more info from user and redirect otherwise
- if (organization) {
- // This will handle if we can intelligently move the user forward
- this.navigateIfFinish([{slug: organization}], projects);
- return;
- }
- }
- componentDidUpdate(prevProps: Props) {
- // Component may be mounted before projects is fetched, check if we can finish when
- // component is updated with projects
- if (JSON.stringify(prevProps.projects) !== JSON.stringify(this.props.projects)) {
- this.navigateIfFinish(this.props.organizations, this.props.projects);
- }
- }
- componentWillUnmount() {
- window.clearTimeout(this.onFinishTimeout);
- }
- onFinishTimeout: number | undefined = undefined;
- // TODO(ts) The various generics in react-select types make getting this
- // right hard.
- orgSelect: any | null = null;
- projectSelect: any | null = null;
- configSelect: any | null = null;
- // Performs checks to see if we need to prompt user
- // i.e. When there is only 1 org and no project is needed or
- // there is only 1 org and only 1 project (which should be rare)
- navigateIfFinish = (
- organizations: Array<{slug: string}>,
- projects: Array<{slug: string}>,
- latestOrg: string = this.props.organization
- ) => {
- const {needProject, onFinish, nextPath, integrationConfigs} = this.props;
- const {isSuperuser} = ConfigStore.get('user') || {};
- // If no project is needed and theres only 1 org OR
- // if we need a project and there's only 1 project
- // then return because we can't navigate anywhere yet
- if (
- (!needProject && organizations.length !== 1) ||
- (needProject && projects.length !== 1) ||
- (integrationConfigs.length && isSuperuser)
- ) {
- return;
- }
- window.clearTimeout(this.onFinishTimeout);
- // If there is only one org and we don't need a project slug, then call finish callback
- if (!needProject) {
- this.onFinishTimeout =
- onFinish(
- replaceRouterParams(nextPath, {
- orgId: organizations[0].slug,
- })
- ) ?? undefined;
- return;
- }
- // Use latest org or if only 1 org, use that
- let org = latestOrg;
- if (!org && organizations.length === 1) {
- org = organizations[0].slug;
- }
- this.onFinishTimeout =
- onFinish(
- replaceRouterParams(nextPath, {
- orgId: org,
- projectId: projects[0].slug,
- project: this.props.projects.find(p => p.slug === projects[0].slug)?.id,
- })
- ) ?? undefined;
- };
- doFocus = (ref: any | null) => {
- if (!ref || this.props.loading) {
- return;
- }
- // eslint-disable-next-line react/no-find-dom-node
- const el = findDOMNode(ref) as HTMLElement;
- if (el !== null) {
- const input = el.querySelector('input');
- input && input.focus();
- }
- };
- handleSelectOrganization = ({value}: {value: string}) => {
- // If we do not need to select a project, we can early return after selecting an org
- // No need to fetch org details
- if (!this.props.needProject) {
- this.navigateIfFinish([{slug: value}], []);
- return;
- }
- this.props.onSelectOrganization(value);
- };
- handleSelectProject = ({value}: {value: string}) => {
- const {organization} = this.props;
- if (!value || !organization) {
- return;
- }
- this.navigateIfFinish([{slug: organization}], [{slug: value}]);
- };
- handleSelectConfiguration = ({value}: {value: string}) => {
- const {onFinish, nextPath} = this.props;
- if (!value) {
- return;
- }
- onFinish(`${nextPath}${value}/`);
- return;
- };
- getMemberProjects = () => {
- const {projects} = this.props;
- const nonMemberProjects: Project[] = [];
- const memberProjects: Project[] = [];
- projects.forEach(project =>
- project.isMember ? memberProjects.push(project) : nonMemberProjects.push(project)
- );
- return [memberProjects, nonMemberProjects];
- };
- // TODO(TS): Fix typings
- customOptionProject = ({label, ...props}: any) => {
- const project = this.props.projects.find(({slug}) => props.value === slug);
- if (!project) {
- return null;
- }
- return (
- <components.Option label={label} {...props}>
- <ProjectBadgeOption
- project={project}
- avatarSize={20}
- displayName={label}
- avatarProps={{consistentWidth: true}}
- disableLink
- />
- </components.Option>
- );
- };
- get headerText() {
- const {needOrg, needProject, integrationConfigs} = this.props;
- if (needOrg && needProject) {
- return t('Select an organization and a project to continue');
- }
- if (needOrg) {
- return t('Select an organization to continue');
- }
- if (needProject) {
- return t('Select a project to continue');
- }
- if (integrationConfigs.length) {
- return t('Select a configuration to continue');
- }
- // if neither project nor org needs to be selected, nothing will render anyways
- return '';
- }
- renderProjectSelectOrMessage() {
- const {organization, projects} = this.props;
- const [memberProjects, nonMemberProjects] = this.getMemberProjects();
- const {isSuperuser} = ConfigStore.get('user') || {};
- const projectOptions = [
- {
- label: t('My Projects'),
- options: memberProjects.map(p => ({
- value: p.slug,
- label: p.slug,
- disabled: false,
- })),
- },
- {
- label: t('All Projects'),
- options: nonMemberProjects.map(p => ({
- value: p.slug,
- label: p.slug,
- disabled: isSuperuser ? false : true,
- })),
- },
- ];
- if (!projects.length) {
- return (
- <div>
- {tct('You have no projects. Click [link] to make one.', {
- link: (
- <Link to={`/organizations/${organization}/projects/new/`}>{t('here')}</Link>
- ),
- })}
- </div>
- );
- }
- return (
- <StyledSelectControl
- ref={(ref: any) => {
- this.projectSelect = ref;
- this.doFocus(this.projectSelect);
- }}
- placeholder={t('Select a Project to continue')}
- name="project"
- options={projectOptions}
- onChange={this.handleSelectProject}
- components={{Option: this.customOptionProject, DropdownIndicator: null}}
- styles={selectStyles}
- menuIsOpen
- />
- );
- }
- renderIntegrationConfigs() {
- const {integrationConfigs} = this.props;
- const {isSuperuser} = ConfigStore.get('user') || {};
- const options = [
- {
- label: tct('[providerName] Configurations', {
- providerName: integrationConfigs[0].provider.name,
- }),
- options: integrationConfigs.map(config => ({
- value: config.id,
- label: (
- <StyledIntegrationItem>
- <IntegrationIcon size={22} integration={config} />
- <span>{config.domainName}</span>
- </StyledIntegrationItem>
- ),
- disabled: isSuperuser ? false : true,
- })),
- },
- ];
- return (
- <StyledSelectControl
- ref={(ref: any) => {
- this.configSelect = ref;
- this.doFocus(this.configSelect);
- }}
- placeholder={t('Select a configuration to continue')}
- name="configurations"
- options={options}
- onChange={this.handleSelectConfiguration}
- components={{DropdownIndicator: null}}
- styles={selectStyles}
- menuIsOpen
- />
- );
- }
- render() {
- const {
- needOrg,
- needProject,
- organization,
- organizations,
- loading,
- Header,
- Body,
- integrationConfigs,
- } = this.props;
- const {isSuperuser} = ConfigStore.get('user') || {};
- const shouldShowProjectSelector = organization && needProject && !loading;
- const shouldShowConfigSelector = integrationConfigs.length > 0 && isSuperuser;
- const orgChoices = organizations
- .filter(({status}) => status.id !== 'pending_deletion')
- .map(({slug}) => ({label: slug, value: slug}));
- const shouldShowPicker = needOrg || needProject || shouldShowConfigSelector;
- if (!shouldShowPicker) {
- return null;
- }
- return (
- <Fragment>
- <Header closeButton>{this.headerText}</Header>
- <Body>
- {loading && <StyledLoadingIndicator overlay />}
- {needOrg && (
- <StyledSelectControl
- ref={(ref: any) => {
- this.orgSelect = ref;
- if (shouldShowProjectSelector) {
- return;
- }
- this.doFocus(this.orgSelect);
- }}
- placeholder={t('Select an Organization')}
- name="organization"
- options={orgChoices}
- value={organization}
- onChange={this.handleSelectOrganization}
- components={{DropdownIndicator: null}}
- styles={selectStyles}
- menuIsOpen
- />
- )}
- {shouldShowProjectSelector && this.renderProjectSelectOrMessage()}
- {shouldShowConfigSelector && this.renderIntegrationConfigs()}
- </Body>
- </Fragment>
- );
- }
- }
- type ContainerProps = Omit<
- Props,
- | 'projects'
- | 'loading'
- | 'organizations'
- | 'organization'
- | 'onSelectOrganization'
- | 'integrationConfigs'
- > & {
- configUrl?: string;
- /**
- * List of slugs we want to be able to choose from
- */
- projectSlugs?: string[];
- } & AsyncComponent['props'];
- type ContainerState = {
- organizations: Organization[];
- integrationConfigs?: Integration[];
- selectedOrganization?: string;
- } & AsyncComponent['state'];
- class ContextPickerModalContainer extends AsyncComponent<ContainerProps, ContainerState> {
- getDefaultState() {
- const storeState = OrganizationStore.get();
- return {
- ...super.getDefaultState(),
- organizations: OrganizationsStore.getAll(),
- selectedOrganization: storeState.organization?.slug,
- };
- }
- getEndpoints(): ReturnType<AsyncComponent['getEndpoints']> {
- const {configUrl} = this.props;
- if (configUrl) {
- return [['integrationConfigs', configUrl]];
- }
- return [];
- }
- componentWillUnmount() {
- this.unlistener?.();
- }
- unlistener = OrganizationsStore.listen(
- (organizations: Organization[]) => this.setState({organizations}),
- undefined
- );
- handleSelectOrganization = (organizationSlug: string) => {
- this.setState({selectedOrganization: organizationSlug});
- };
- renderModal({
- projects,
- initiallyLoaded,
- integrationConfigs,
- }: {
- initiallyLoaded?: boolean;
- integrationConfigs?: Integration[];
- projects?: Project[];
- }) {
- return (
- <ContextPickerModal
- {...this.props}
- projects={projects || []}
- loading={!initiallyLoaded}
- organizations={this.state.organizations}
- organization={this.state.selectedOrganization!}
- onSelectOrganization={this.handleSelectOrganization}
- integrationConfigs={integrationConfigs || []}
- />
- );
- }
- render() {
- const {projectSlugs, configUrl} = this.props;
- if (configUrl && this.state.loading) {
- return <LoadingIndicator />;
- }
- if (this.state.integrationConfigs?.length) {
- return this.renderModal({
- integrationConfigs: this.state.integrationConfigs,
- initiallyLoaded: !this.state.loading,
- });
- }
- if (this.state.selectedOrganization) {
- return (
- <Projects
- orgId={this.state.selectedOrganization}
- allProjects={!projectSlugs?.length}
- slugs={projectSlugs}
- >
- {({projects, initiallyLoaded}) =>
- this.renderModal({projects: projects as Project[], initiallyLoaded})
- }
- </Projects>
- );
- }
- return this.renderModal({});
- }
- }
- export default ContextPickerModalContainer;
- const StyledSelectControl = styled(SelectControl)`
- margin-top: ${space(1)};
- `;
- const ProjectBadgeOption = styled(IdBadge)`
- margin: ${space(1)};
- `;
- const StyledLoadingIndicator = styled(LoadingIndicator)`
- z-index: 1;
- `;
- const StyledIntegrationItem = styled('div')`
- display: grid;
- grid-template-columns: ${space(4)} auto;
- grid-template-rows: 1fr;
- `;
|