| 123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750 | // @flow
import Avatar from '@atlaskit/avatar';
import InlineMessage from '@atlaskit/inline-message';
import PropTypes from 'prop-types';
import React, { Component } from 'react';
import { connect } from 'react-redux';
import { createInviteDialogEvent, sendAnalytics } from '../../analytics';
import { getInviteURL } from '../../base/connection';
import { Dialog, hideDialog } from '../../base/dialog';
import { translate } from '../../base/i18n';
import { MultiSelectAutocomplete } from '../../base/react';
import { inviteVideoRooms } from '../../videosipgw';
import {
    checkDialNumber,
    invitePeopleAndChatRooms,
    searchDirectory
} from '../functions';
const logger = require('jitsi-meet-logger').getLogger(__filename);
declare var interfaceConfig: Object;
const isPhoneNumberRegex
    = new RegExp(interfaceConfig.PHONE_NUMBER_REGEX || '^[0-9+()-\\s]*$');
/**
 * The dialog that allows to invite people to the call.
 */
class AddPeopleDialog extends Component<*, *> {
    /**
     * {@code AddPeopleDialog}'s property types.
     *
     * @static
     */
    static propTypes = {
        /**
         * The {@link JitsiMeetConference} which will be used to invite "room"
         * participants through the SIP Jibri (Video SIP gateway).
         */
        _conference: PropTypes.object,
        /**
         * The URL for validating if a phone number can be called.
         */
        _dialOutAuthUrl: PropTypes.string,
        /**
         * The URL pointing to the service allowing for people invite.
         */
        _inviteServiceUrl: PropTypes.string,
        /**
         * The url of the conference to invite people to.
         */
        _inviteUrl: PropTypes.string,
        /**
         * The JWT token.
         */
        _jwt: PropTypes.string,
        /**
         * The query types used when searching people.
         */
        _peopleSearchQueryTypes: PropTypes.arrayOf(PropTypes.string),
        /**
         * The URL pointing to the service allowing for people search.
         */
        _peopleSearchUrl: PropTypes.string,
        /**
         * Whether or not to show Add People functionality.
         */
        enableAddPeople: PropTypes.bool,
        /**
         * Whether or not to show Dial Out functionality.
         */
        enableDialOut: PropTypes.bool,
        /**
         * The function closing the dialog.
         */
        hideDialog: PropTypes.func,
        /**
         * Used to invite video rooms.
         */
        inviteVideoRooms: PropTypes.func,
        /**
         * Invoked to obtain translated strings.
         */
        t: PropTypes.func
    };
    _multiselect = null;
    _resourceClient: Object;
    state = {
        /**
         * Indicating that an error occurred when adding people to the call.
         */
        addToCallError: false,
        /**
         * Indicating that we're currently adding the new people to the
         * call.
         */
        addToCallInProgress: false,
        /**
         * The list of invite items.
         */
        inviteItems: []
    };
    /**
     * Initializes a new {@code AddPeopleDialog} instance.
     *
     * @param {Object} props - The read-only properties with which the new
     * instance is to be initialized.
     */
    constructor(props) {
        super(props);
        // Bind event handlers so they are only bound once per instance.
        this._isAddDisabled = this._isAddDisabled.bind(this);
        this._onItemSelected = this._onItemSelected.bind(this);
        this._onSelectionChange = this._onSelectionChange.bind(this);
        this._onSubmit = this._onSubmit.bind(this);
        this._parseQueryResults = this._parseQueryResults.bind(this);
        this._query = this._query.bind(this);
        this._setMultiSelectElement = this._setMultiSelectElement.bind(this);
        this._resourceClient = {
            makeQuery: this._query,
            parseResults: this._parseQueryResults
        };
    }
    /**
     * Sends an analytics event to record the dialog has been shown.
     *
     * @inheritdoc
     * @returns {void}
     */
    componentDidMount() {
        sendAnalytics(createInviteDialogEvent(
            'invite.dialog.opened', 'dialog'));
    }
    /**
     * React Component method that executes once component is updated.
     *
     * @param {Object} prevState - The state object before the update.
     * @returns {void}
     */
    componentDidUpdate(prevState) {
        /**
         * Clears selected items from the multi select component on successful
         * invite.
         */
        if (prevState.addToCallError
                && !this.state.addToCallInProgress
                && !this.state.addToCallError
                && this._multiselect) {
            this._multiselect.setSelectedItems([]);
        }
    }
    /**
     * Sends an analytics event to record the dialog has been closed.
     *
     * @inheritdoc
     * @returns {void}
     */
    componentWillUnmount() {
        sendAnalytics(createInviteDialogEvent(
            'invite.dialog.closed', 'dialog'));
    }
    /**
     * Renders the content of this component.
     *
     * @returns {ReactElement}
     */
    render() {
        const { enableAddPeople, enableDialOut, t } = this.props;
        let isMultiSelectDisabled = this.state.addToCallInProgress || false;
        let placeholder;
        let loadingMessage;
        let noMatches;
        if (enableAddPeople && enableDialOut) {
            loadingMessage = 'addPeople.loading';
            noMatches = 'addPeople.noResults';
            placeholder = 'addPeople.searchPeopleAndNumbers';
        } else if (enableAddPeople) {
            loadingMessage = 'addPeople.loadingPeople';
            noMatches = 'addPeople.noResults';
            placeholder = 'addPeople.searchPeople';
        } else if (enableDialOut) {
            loadingMessage = 'addPeople.loadingNumber';
            noMatches = 'addPeople.noValidNumbers';
            placeholder = 'addPeople.searchNumbers';
        } else {
            isMultiSelectDisabled = true;
            noMatches = 'addPeople.noResults';
            placeholder = 'addPeople.disabled';
        }
        return (
            <Dialog
                okDisabled = { this._isAddDisabled() }
                okTitleKey = 'addPeople.add'
                onSubmit = { this._onSubmit }
                titleKey = 'addPeople.title'
                width = 'medium'>
                <div className = 'add-people-form-wrap'>
                    { this._renderErrorMessage() }
                    <MultiSelectAutocomplete
                        isDisabled = { isMultiSelectDisabled }
                        loadingMessage = { t(loadingMessage) }
                        noMatchesFound = { t(noMatches) }
                        onItemSelected = { this._onItemSelected }
                        onSelectionChange = { this._onSelectionChange }
                        placeholder = { t(placeholder) }
                        ref = { this._setMultiSelectElement }
                        resourceClient = { this._resourceClient }
                        shouldFitContainer = { true }
                        shouldFocus = { true } />
                </div>
            </Dialog>
        );
    }
    _getDigitsOnly: (string) => string;
    /**
     * Removes all non-numeric characters from a string.
     *
     * @param {string} text - The string from which to remove all characters
     * except numbers.
     * @private
     * @returns {string} A string with only numbers.
     */
    _getDigitsOnly(text = '') {
        return text.replace(/\D/g, '');
    }
    /**
     * Helper for determining how many of each type of user is being invited.
     * Used for logging and sending analytics related to invites.
     *
     * @param {Array} inviteItems - An array with the invite items, as created
     * in {@link _parseQueryResults}.
     * @private
     * @returns {Object} An object with keys as user types and values as the
     * number of invites for that type.
     */
    _getInviteTypeCounts(inviteItems = []) {
        const inviteTypeCounts = {};
        inviteItems.forEach(i => {
            const type = i.item.type;
            if (!inviteTypeCounts[type]) {
                inviteTypeCounts[type] = 0;
            }
            inviteTypeCounts[type]++;
        });
        return inviteTypeCounts;
    }
    _isAddDisabled: () => boolean;
    /**
     * Indicates if the Add button should be disabled.
     *
     * @private
     * @returns {boolean} - True to indicate that the Add button should
     * be disabled, false otherwise.
     */
    _isAddDisabled() {
        return !this.state.inviteItems.length
            || this.state.addToCallInProgress;
    }
    _isMaybeAPhoneNumber: (string) => boolean;
    /**
     * Checks whether a string looks like it could be for a phone number.
     *
     * @param {string} text - The text to check whether or not it could be a
     * phone number.
     * @private
     * @returns {boolean} True if the string looks like it could be a phone
     * number.
     */
    _isMaybeAPhoneNumber(text) {
        if (!isPhoneNumberRegex.test(text)) {
            return false;
        }
        const digits = this._getDigitsOnly(text);
        return Boolean(digits.length);
    }
    _onItemSelected: (Object) => Object;
    /**
     * Callback invoked when a selection has been made but before it has been
     * set as selected.
     *
     * @param {Object} item - The item that has just been selected.
     * @private
     * @returns {Object} The item to display as selected in the input.
     */
    _onItemSelected(item) {
        if (item.item.type === 'phone') {
            item.content = item.item.number;
        }
        return item;
    }
    _onSelectionChange: (Map<*, *>) => void;
    /**
     * Handles a selection change.
     *
     * @param {Map} selectedItems - The list of selected items.
     * @private
     * @returns {void}
     */
    _onSelectionChange(selectedItems) {
        this.setState({
            inviteItems: selectedItems
        });
    }
    _onSubmit: () => void;
    /**
     * Invite people and numbers to the conference. The logic works by inviting
     * numbers, people/rooms, and videosipgw in parallel. All invitees are
     * stored in an array. As each invite succeeds, the invitee is removed
     * from the array. After all invites finish, close the modal if there are
     * no invites left to send. If any are left, that means an invite failed
     * and an error state should display.
     *
     * @private
     * @returns {void}
     */
    _onSubmit() {
        const inviteTypeCounts
            = this._getInviteTypeCounts(this.state.inviteItems);
        sendAnalytics(createInviteDialogEvent(
            'clicked', 'inviteButton', {
                ...inviteTypeCounts,
                inviteAllowed: this._isAddDisabled()
            }));
        if (this._isAddDisabled()) {
            return;
        }
        this.setState({
            addToCallInProgress: true
        });
        let allInvitePromises = [];
        let invitesLeftToSend = [
            ...this.state.inviteItems
        ];
        // First create all promises for dialing out.
        if (this.props.enableDialOut && this.props._conference) {
            const phoneNumbers = invitesLeftToSend.filter(
                ({ item }) => item.type === 'phone');
            // For each number, dial out. On success, remove the number from
            // {@link invitesLeftToSend}.
            const phoneInvitePromises = phoneNumbers.map(number => {
                const numberToInvite = this._getDigitsOnly(number.item.number);
                return this.props._conference.dial(numberToInvite)
                        .then(() => {
                            invitesLeftToSend
                                = invitesLeftToSend.filter(invite =>
                                    invite !== number);
                        })
                        .catch(error => logger.error(
                            'Error inviting phone number:', error));
            });
            allInvitePromises = allInvitePromises.concat(phoneInvitePromises);
        }
        if (this.props.enableAddPeople) {
            const usersAndRooms = invitesLeftToSend.filter(i =>
                i.item.type === 'user' || i.item.type === 'room')
                .map(i => i.item);
            if (usersAndRooms.length) {
                // Send a request to invite all the rooms and users. On success,
                // filter all rooms and users from {@link invitesLeftToSend}.
                const peopleInvitePromise = invitePeopleAndChatRooms(
                    this.props._inviteServiceUrl,
                    this.props._inviteUrl,
                    this.props._jwt,
                    usersAndRooms)
                    .then(() => {
                        invitesLeftToSend = invitesLeftToSend.filter(i =>
                            i.item.type !== 'user' && i.item.type !== 'room');
                    })
                    .catch(error => logger.error(
                        'Error inviting people:', error));
                allInvitePromises.push(peopleInvitePromise);
            }
            // Sipgw calls are fire and forget. Invite them to the conference
            // then immediately remove them from {@link invitesLeftToSend}.
            const vrooms = invitesLeftToSend.filter(i =>
                i.item.type === 'videosipgw')
                .map(i => i.item);
            this.props._conference
                && vrooms.length > 0
                && this.props.inviteVideoRooms(
                    this.props._conference, vrooms);
            invitesLeftToSend = invitesLeftToSend.filter(i =>
                i.item.type !== 'videosipgw');
        }
        Promise.all(allInvitePromises)
            .then(() => {
                // If any invites are left that means something failed to send
                // so treat it as an error.
                if (invitesLeftToSend.length) {
                    const erroredInviteTypeCounts
                        = this._getInviteTypeCounts(invitesLeftToSend);
                    logger.error(`${invitesLeftToSend.length} invites failed`,
                        erroredInviteTypeCounts);
                    sendAnalytics(createInviteDialogEvent(
                        'error', 'invite', {
                            ...erroredInviteTypeCounts
                        }));
                    this.setState({
                        addToCallInProgress: false,
                        addToCallError: true
                    });
                    if (this._multiselect) {
                        this._multiselect.setSelectedItems(invitesLeftToSend);
                    }
                    return;
                }
                this.setState({
                    addToCallInProgress: false
                });
                this.props.hideDialog();
            });
    }
    _parseQueryResults: (Array<Object>, string) => Array<Object>;
    /**
     * Processes results from requesting available numbers and people by munging
     * each result into a format {@code MultiSelectAutocomplete} can use for
     * display.
     *
     * @param {Array} response - The response object from the server for the
     * query.
     * @private
     * @returns {Object[]} Configuration objects for items to display in the
     * search autocomplete.
     */
    _parseQueryResults(response = []) {
        const { t } = this.props;
        const users = response.filter(item => item.type !== 'phone');
        const userDisplayItems = users.map(user => {
            return {
                content: user.name,
                elemBefore: <Avatar
                    size = 'medium'
                    src = { user.avatar } />,
                item: user,
                tag: {
                    elemBefore: <Avatar
                        size = 'xsmall'
                        src = { user.avatar } />
                },
                value: user.id
            };
        });
        const numbers = response.filter(item => item.type === 'phone');
        const telephoneIcon = this._renderTelephoneIcon();
        const numberDisplayItems = numbers.map(number => {
            const numberNotAllowedMessage
                = number.allowed ? '' : t('addPeople.countryNotSupported');
            const countryCodeReminder = number.showCountryCodeReminder
                ? t('addPeople.countryReminder') : '';
            const description
                = `${numberNotAllowedMessage} ${countryCodeReminder}`.trim();
            return {
                filterValues: [
                    number.originalEntry,
                    number.number
                ],
                content: t('addPeople.telephone', { number: number.number }),
                description,
                isDisabled: !number.allowed,
                elemBefore: telephoneIcon,
                item: number,
                tag: {
                    elemBefore: telephoneIcon
                },
                value: number.number
            };
        });
        return [
            ...userDisplayItems,
            ...numberDisplayItems
        ];
    }
    _query: (string) => Promise<Array<Object>>;
    /**
     * Performs a people and phone number search request.
     *
     * @param {string} query - The search text.
     * @private
     * @returns {Promise}
     */
    _query(query = '') {
        const text = query.trim();
        const {
            _dialOutAuthUrl,
            _jwt,
            _peopleSearchQueryTypes,
            _peopleSearchUrl
        } = this.props;
        let peopleSearchPromise;
        if (this.props.enableAddPeople && text) {
            peopleSearchPromise = searchDirectory(
                _peopleSearchUrl,
                _jwt,
                text,
                _peopleSearchQueryTypes);
        } else {
            peopleSearchPromise = Promise.resolve([]);
        }
        const hasCountryCode = text.startsWith('+');
        let phoneNumberPromise;
        if (this.props.enableDialOut && this._isMaybeAPhoneNumber(text)) {
            let numberToVerify = text;
            // When the number to verify does not start with a +, we assume no
            // proper country code has been entered. In such a case, prepend 1
            // for the country code. The service currently takes care of
            // prepending the +.
            if (!hasCountryCode && !text.startsWith('1')) {
                numberToVerify = `1${numberToVerify}`;
            }
            // The validation service works properly when the query is digits
            // only so ensure only digits get sent.
            numberToVerify = this._getDigitsOnly(numberToVerify);
            phoneNumberPromise
                = checkDialNumber(numberToVerify, _dialOutAuthUrl);
        } else {
            phoneNumberPromise = Promise.resolve({});
        }
        return Promise.all([ peopleSearchPromise, phoneNumberPromise ])
            .then(([ peopleResults, phoneResults ]) => {
                const results = [
                    ...peopleResults
                ];
                /**
                 * This check for phone results is for the day the call to
                 * searching people might return phone results as well. When
                 * that day comes this check will make it so the server checks
                 * are honored and the local appending of the number is not
                 * done. The local appending of the phone number can then be
                 * cleaned up when convenient.
                 */
                const hasPhoneResult = peopleResults.find(
                    result => result.type === 'phone');
                if (!hasPhoneResult
                        && typeof phoneResults.allow === 'boolean') {
                    results.push({
                        allowed: phoneResults.allow,
                        country: phoneResults.country,
                        type: 'phone',
                        number: phoneResults.phone,
                        originalEntry: text,
                        showCountryCodeReminder: !hasCountryCode
                    });
                }
                return results;
            });
    }
    /**
     * Renders the error message if the add doesn't succeed.
     *
     * @private
     * @returns {ReactElement|null}
     */
    _renderErrorMessage() {
        if (!this.state.addToCallError) {
            return null;
        }
        const { t } = this.props;
        const supportString = t('inlineDialogFailure.supportMsg');
        const supportLink = interfaceConfig.SUPPORT_URL;
        const supportLinkContent
            = ( // eslint-disable-line no-extra-parens
                <span>
                    <span>
                        { supportString.padEnd(supportString.length + 1) }
                    </span>
                    <span>
                        <a
                            href = { supportLink }
                            rel = 'noopener noreferrer'
                            target = '_blank'>
                            { t('inlineDialogFailure.support') }
                        </a>
                    </span>
                    <span>.</span>
                </span>
            );
        return (
            <div className = 'modal-dialog-form-error'>
                <InlineMessage
                    title = { t('addPeople.failedToAdd') }
                    type = 'error'>
                    { supportLinkContent }
                </InlineMessage>
            </div>
        );
    }
    /**
     * Renders a telephone icon.
     *
     * @private
     * @returns {ReactElement}
     */
    _renderTelephoneIcon() {
        return (
            <span className = 'add-telephone-icon'>
                <i className = 'icon-telephone' />
            </span>
        );
    }
    _setMultiSelectElement: (React$ElementRef<*> | null) => mixed;
    /**
     * Sets the instance variable for the multi select component
     * element so it can be accessed directly.
     *
     * @param {Object} element - The DOM element for the component's dialog.
     * @private
     * @returns {void}
     */
    _setMultiSelectElement(element) {
        this._multiselect = element;
    }
}
/**
 * Maps (parts of) the Redux state to the associated
 * {@code AddPeopleDialog}'s props.
 *
 * @param {Object} state - The Redux state.
 * @private
 * @returns {{
 *     _conference: Object,
 *     _dialOutAuthUrl: string,
 *     _inviteServiceUrl: string,
 *     _inviteUrl: string,
 *     _jwt: string,
 *     _peopleSearchQueryTypes: Array<string>,
 *     _peopleSearchUrl: string
 * }}
 */
function _mapStateToProps(state) {
    const { conference } = state['features/base/conference'];
    const {
        dialOutAuthUrl,
        inviteServiceUrl,
        peopleSearchQueryTypes,
        peopleSearchUrl
    } = state['features/base/config'];
    return {
        _conference: conference,
        _dialOutAuthUrl: dialOutAuthUrl,
        _inviteServiceUrl: inviteServiceUrl,
        _inviteUrl: getInviteURL(state),
        _jwt: state['features/base/jwt'].jwt,
        _peopleSearchQueryTypes: peopleSearchQueryTypes,
        _peopleSearchUrl: peopleSearchUrl
    };
}
export default translate(connect(_mapStateToProps, {
    hideDialog,
    inviteVideoRooms })(
    AddPeopleDialog));
 |