UNPKG

passbolt-styleguide

Version:

Passbolt styleguide contains common styling assets used by the different sites, plugin, etc.

481 lines (445 loc) 15.2 kB
/** * Passbolt ~ Open source password manager for teams * Copyright (c) 2022 Passbolt SA (https://www.passbolt.com) * * Licensed under GNU Affero General Public License version 3 of the or any later version. * For full copyright and license information, please see the LICENSE.txt * Redistributions of files must retain the above copyright notice. * * @copyright Copyright (c) 2022 Passbolt SA (https://www.passbolt.com) * @license https://opensource.org/licenses/AGPL-3.0 AGPL License * @link https://www.passbolt.com Passbolt(tm) * @since 3.6.0 */ import React from "react"; import PropTypes from "prop-types"; import { Trans, withTranslation } from "react-i18next"; import DialogWrapper from "../../Common/Dialog/DialogWrapper/DialogWrapper"; import FormSubmitButton from "../../Common/Inputs/FormSubmitButton/FormSubmitButton"; import FormCancelButton from "../../Common/Inputs/FormSubmitButton/FormCancelButton"; import { withAppContext } from "../../../../shared/context/AppContext/AppContext"; import { withDialog } from "../../../contexts/DialogContext"; import NotifyError from "../../Common/Error/NotifyError/NotifyError"; import Password from "../../../../shared/components/Password/Password"; import AttentionSVG from "../../../../img/svg/attention.svg"; /** Resource password max length */ const RESOURCE_PASSWORD_MAX_LENGTH = 4096; /** * This component allows to display the provide organization key for the administration */ class ProvideAccountRecoveryOrganizationKey extends React.Component { /** * Constructor * @param {Object} props */ constructor(props) { super(props); this.state = this.defaultState; this.bindCallbacks(); this.createInputRef(); } /** * Get default state * @returns {*} */ get defaultState() { return { processing: false, // component is processing or not key: "", // The organization private armored key keyError: "", // The error organization recovery key password: "", // The organization private key password passwordError: "", passwordWarning: "", hasAlreadyBeenValidated: false, // True if the form has already been submitted onc selectedFile: null, }; } /** * Bind callbacks methods */ bindCallbacks() { this.handleFormSubmit = this.handleFormSubmit.bind(this); this.handleCloseClick = this.handleCloseClick.bind(this); this.handleInputChange = this.handleInputChange.bind(this); this.handleKeyInputKeyUp = this.handleKeyInputKeyUp.bind(this); this.handlePasswordInputKeyUp = this.handlePasswordInputKeyUp.bind(this); this.handleSelectFile = this.handleSelectFile.bind(this); this.handleSelectOrganizationKeyFile = this.handleSelectOrganizationKeyFile.bind(this); } /** * Create DOM nodes or React elements references in order to be able to access them programmatically. */ createInputRef() { this.keyInputRef = React.createRef(); this.fileUploaderRef = React.createRef(); this.passwordInputRef = React.createRef(); } /** * Handle key input keyUp event. */ handleKeyInputKeyUp() { if (this.state.hasAlreadyBeenValidated) { const state = this.validateKeyInput(); this.setState(state); } } /** * Whenever the user select a organization key file * @param event The file dom event */ async handleSelectOrganizationKeyFile(event) { const [organizationFile] = event.target.files; const organizationKey = await this.readOrganizationKeyFile(organizationFile); this.fillOrganizationKey(organizationKey); this.setState({ selectedFile: organizationFile }); if (this.state.hasAlreadyBeenValidated) { await this.validate(); } } /** * Read the selected subscription key file and returns its content in a base 64 * @param organizationFile A subscription key file */ readOrganizationKeyFile(organizationFile) { const reader = new FileReader(); return new Promise((resolve, reject) => { reader.onloadend = () => { try { resolve(reader.result); } catch (e) { reject(e); } }; reader.readAsText(organizationFile); }); } /** * Fill the organization key * @param organizationKey A subscription key */ fillOrganizationKey(organizationKey) { this.setState({ key: organizationKey }); } /** * Validate the key input. * @return {Promise} */ validateKeyInput() { const key = this.state.key.trim(); let keyError = ""; if (!key.length) { keyError = this.translate("An organization key is required."); } return new Promise((resolve) => { this.setState({ keyError }, resolve); }); } /** * Focus the first field of the form which is in error state. */ focusFirstFieldError() { if (this.state.keyError) { this.keyInputRef.current.focus(); } else if (this.state.passwordError) { this.passwordInputRef.current.focus(); } } /** * Handle password input keyUp event. */ handlePasswordInputKeyUp() { if (this.state.hasAlreadyBeenValidated) { this.setState({ passwordError: "" }); } else { const hasResourcePasswordMaxLength = this.state.password.length >= RESOURCE_PASSWORD_MAX_LENGTH; const warningMessage = this.translate( "this is the maximum size for this field, make sure your data was not truncated", ); const passwordWarning = hasResourcePasswordMaxLength ? warningMessage : ""; this.setState({ passwordWarning }); } } /** * Handle form input change. * @params {ReactEvent} The react event. */ handleInputChange(event) { const target = event.target; const value = target.value; const name = target.name; this.setState({ [name]: value, }); } /** * Handle the selection of a file by file explorer */ handleSelectFile() { this.fileUploaderRef.current.click(); } /** * Handle form submit event. * @params {ReactEvent} The react event * @return {Promise} */ async handleFormSubmit(event) { event.preventDefault(); if (!this.state.processing) { await this.save(); } } /** * Save the changes. */ async save() { // Prevent submission while processing if (this.state.processing) { return; } this.setState({ hasAlreadyBeenValidated: true, processing: true }); if (!(await this.validate())) { this.handleValidateError(); this.setState({ processing: false }); return; } const privateGpgKeyDto = { armored_key: this.state.key, passphrase: this.state.password, }; try { await this.props.context.port.request( "passbolt.account-recovery.validate-organization-private-key", privateGpgKeyDto, ); await this.props.onSubmit(privateGpgKeyDto); this.setState({ processing: false }); this.props.onClose(); } catch (error) { await this.handleSubmitError(error); this.setState({ processing: false }); } } /** * Handle save operation error. * @param {object} error The returned error */ async handleSubmitError(error) { if (error.name === "UserAbortsOperationError") { // It can happen when the user has closed the passphrase entry dialog by instance. return; } else if (error.name === "WrongOrganizationRecoveryKeyError") { this.setState({ expectedFingerprintError: error.expectedFingerprint }); } else if (error.name === "InvalidMasterPasswordError") { this.setState({ passwordError: this.translate("This is not a valid passphrase.") }); } else if (error.name === "BadSignatureMessageGpgKeyError") { this.setState({ keyError: error.message }); } else if (error.name === "GpgKeyError") { this.setState({ keyError: error.message }); } else { console.error("Uncaught uncontrolled error"); //@todo unify unexpected error management: the error should be handle by the workflow proposing the callback prop this.onUnexpectedError(error); } } /** * Whenever an unexpected error occured * @param {object} error The error * @returns {Promise<void>} */ onUnexpectedError(error) { const errorDialogProps = { error: error, }; this.props.dialogContext.open(NotifyError, errorDialogProps); } /** * Handle validation error. */ handleValidateError() { this.focusFirstFieldError(); } /** * Validate the form. * @return {Promise<boolean>} */ async validate() { // Reset the form errors. this.setState({ keyError: "", passwordError: "", expectedFingerprintError: "", }); await this.validateKeyInput(); return this.state.keyError === "" && this.state.passwordError === ""; } /** * Should input be disabled? True if state is processing * @returns {boolean} */ hasAllInputDisabled() { return this.state.processing; } /** * Handle close button click. */ handleCloseClick() { this.props.onClose(); } /** * format fingerprint * @param fingerprint * @returns {JSX.Element} */ formatFingerprint(fingerprint) { if (!fingerprint) { return <></>; } const result = fingerprint.toUpperCase().replace(/.{4}/g, "$& "); return ( <> {result.substr(0, 24)} <br /> {result.substr(25)} </> ); } /** * Returns the selected file's name */ get selectedFilename() { return this.state.selectedFile ? this.state.selectedFile.name : ""; } /** * Get the translate function * @returns {function(...[*]=)} */ get translate() { return this.props.t; } /** * Render the component * @returns {JSX} */ render() { return ( <DialogWrapper title={this.translate("Organization Recovery Key")} onClose={this.handleCloseClick} disabled={this.state.processing} className="provide-organization-recover-key-dialog" > <form onSubmit={this.handleFormSubmit} noValidate> <div className="form-content provide-organization-key"> <div className={`input textarea required ${this.state.keyError || this.state.expectedFingerprintError ? "error" : ""}`} > <label htmlFor="organization-recover-form-key"> <Trans>Enter the private key used by your organization for account recovery</Trans> </label> <textarea id="organization-recover-form-key" name="key" value={this.state.key} onKeyUp={this.handleKeyInputKeyUp} onChange={this.handleInputChange} disabled={this.hasAllInputDisabled()} ref={this.keyInputRef} className="required" placeholder={this.translate("Paste the OpenPGP Private key here")} required="required" autoComplete="off" autoFocus={true} /> </div> <div className="input file"> <input type="file" id="dialog-import-private-key" ref={this.fileUploaderRef} disabled={this.hasAllInputDisabled()} onChange={this.handleSelectOrganizationKeyFile} /> <label htmlFor="dialog-import-private-key"> <Trans>Select a file to import</Trans> </label> <div className="input-file-inline"> <input type="text" disabled={true} placeholder={this.translate("No file selected")} defaultValue={this.selectedFilename} /> <button className="button primary" type="button" disabled={this.hasAllInputDisabled()} onClick={this.handleSelectFile} > <span> <Trans>Choose a file</Trans> </span> </button> </div> {this.state.keyError && <div className="key error-message">{this.state.keyError}</div>} {this.state.expectedFingerprintError && ( <div className="key error-message"> <Trans>Error, this is not the current organization recovery key.</Trans> <br /> <Trans>Expected fingerprint:</Trans> <br /> <br /> <span className="fingerprint">{this.formatFingerprint(this.state.expectedFingerprintError)}</span> </div> )} </div> <div className={`input-password-wrapper input ${this.state.passwordError ? "error" : ""}`}> <label htmlFor="generate-organization-key-form-password"> <Trans>Organization key passphrase</Trans> {this.state.passwordWarning && <AttentionSVG />} </label> <Password id="generate-organization-key-form-password" name="password" placeholder={this.translate("Passphrase")} autoComplete="new-password" onKeyUp={this.handlePasswordInputKeyUp} value={this.state.password} securityToken={this.props.context.userSettings.getSecurityToken()} preview={true} onChange={this.handleInputChange} disabled={this.hasAllInputDisabled()} inputRef={this.passwordInputRef} /> {this.state.passwordError && <div className="password error-message">{this.state.passwordError}</div>} {this.state.passwordWarning && ( <div className="password warning-message"> <strong> <Trans>Warning:</Trans> </strong>{" "} {this.state.passwordWarning} </div> )} </div> </div> <div className="submit-wrapper clearfix"> <FormCancelButton disabled={this.hasAllInputDisabled()} onClick={this.handleCloseClick} /> <FormSubmitButton disabled={this.hasAllInputDisabled()} processing={this.state.processing} value={this.translate("Submit")} /> </div> </form> </DialogWrapper> ); } } ProvideAccountRecoveryOrganizationKey.propTypes = { context: PropTypes.any.isRequired, // The application context provider onClose: PropTypes.func, // Callback when the dialog must be closed onSubmit: PropTypes.func, // Callback when the dialog must be submitted actionFeedbackContext: PropTypes.any, // The action feedback context dialogContext: PropTypes.object, // The dialog context t: PropTypes.func, // The translation function }; export default withAppContext(withDialog(withTranslation("common")(ProvideAccountRecoveryOrganizationKey)));