element-web-Github/src/components/views/elements/AppTile.js

751 lines
31 KiB
JavaScript
Raw Normal View History

2018-01-11 19:49:46 +08:00
/**
2017-06-28 19:23:33 +08:00
Copyright 2017 Vector Creations Ltd
Copyright 2018 New Vector Ltd
2017-05-22 19:34:27 +08:00
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
http://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.
*/
'use strict';
2017-07-12 21:16:47 +08:00
import url from 'url';
2017-11-10 19:42:56 +08:00
import qs from 'querystring';
import React from 'react';
import PropTypes from 'prop-types';
import MatrixClientPeg from '../../../MatrixClientPeg';
import ScalarAuthClient from '../../../ScalarAuthClient';
2017-11-30 06:16:22 +08:00
import WidgetMessaging from '../../../WidgetMessaging';
import TintableSvgButton from './TintableSvgButton';
import Modal from '../../../Modal';
import { _t, _td } from '../../../languageHandler';
import sdk from '../../../index';
2017-07-26 18:28:43 +08:00
import AppPermission from './AppPermission';
import AppWarning from './AppWarning';
2017-07-27 23:41:52 +08:00
import MessageSpinner from './MessageSpinner';
2018-06-26 18:59:16 +08:00
import WidgetUtils from '../../../utils/WidgetUtils';
import dis from '../../../dispatcher';
import ActiveWidgetStore from '../../../stores/ActiveWidgetStore';
2017-05-22 19:34:27 +08:00
2017-07-12 21:16:47 +08:00
const ALLOWED_APP_URL_SCHEMES = ['https:', 'http:'];
const ENABLE_REACT_PERF = false;
2018-01-11 19:49:46 +08:00
export default class AppTile extends React.Component {
2018-01-11 20:33:02 +08:00
constructor(props) {
super(props);
// The key used for PersistedElement
this._persistKey = 'widget_' + this.props.id;
2018-01-11 21:20:58 +08:00
this.state = this._getNewState(props);
2018-01-11 20:33:02 +08:00
this._onAction = this._onAction.bind(this);
2018-01-11 20:33:02 +08:00
this._onLoaded = this._onLoaded.bind(this);
this._onEditClick = this._onEditClick.bind(this);
this._onDeleteClick = this._onDeleteClick.bind(this);
this._onSnapshotClick = this._onSnapshotClick.bind(this);
this.onClickMenuBar = this.onClickMenuBar.bind(this);
this._onMinimiseClick = this._onMinimiseClick.bind(this);
2018-04-05 06:45:47 +08:00
this._grantWidgetPermission = this._grantWidgetPermission.bind(this);
this._revokeWidgetPermission = this._revokeWidgetPermission.bind(this);
this._onPopoutWidgetClick = this._onPopoutWidgetClick.bind(this);
2018-05-23 02:14:54 +08:00
this._onReloadWidgetClick = this._onReloadWidgetClick.bind(this);
2018-01-11 20:33:02 +08:00
}
/**
2017-11-10 19:50:14 +08:00
* Set initial component state when the App wUrl (widget URL) is being updated.
* Component props *must* be passed (rather than relying on this.props).
* @param {Object} newProps The new properties of the component
* @return {Object} Updated component state to be set with setState
*/
2017-11-10 18:17:55 +08:00
_getNewState(newProps) {
const widgetPermissionId = [newProps.room.roomId, encodeURIComponent(newProps.url)].join('_');
const hasPermissionToLoad = localStorage.getItem(widgetPermissionId);
const PersistedElement = sdk.getComponent("elements.PersistedElement");
return {
initialising: true, // True while we are mangling the widget URL
// True while the iframe content is loading
loading: this.props.waitForIframeLoad && !PersistedElement.isMounted(this._persistKey),
2017-11-30 06:16:22 +08:00
widgetUrl: this._addWurlParams(newProps.url),
widgetPermissionId: widgetPermissionId,
2017-11-10 19:50:14 +08:00
// Assume that widget has permission to load if we are the user who
// added it to the room, or if explicitly granted by the user
hasPermissionToLoad: hasPermissionToLoad === 'true' || newProps.userId === newProps.creatorUserId,
error: null,
deleting: false,
widgetPageTitle: newProps.widgetPageTitle,
};
2018-01-11 19:49:46 +08:00
}
/**
* Does the widget support a given capability
* @param {string} capability Capability to check for
* @return {Boolean} True if capability supported
*/
_hasCapability(capability) {
return ActiveWidgetStore.widgetHasCapability(this.props.id, capability);
2018-01-11 19:49:46 +08:00
}
2017-11-30 06:16:22 +08:00
/**
* Add widget instance specific parameters to pass in wUrl
* Properties passed to widget instance:
* - widgetId
* - origin / parent URL
* @param {string} urlString Url string to modify
* @return {string}
* Url string with parameters appended.
* If url can not be parsed, it is returned unmodified.
*/
_addWurlParams(urlString) {
const u = url.parse(urlString);
if (!u) {
console.error("_addWurlParams", "Invalid URL", urlString);
return url;
}
const params = qs.parse(u.query);
// Append widget ID to query parameters
params.widgetId = this.props.id;
// Append current / parent URL, minus the hash because that will change when
// we view a different room (ie. may change for persistent widgets)
params.parentUrl = window.location.href.split('#', 2)[0];
2017-11-30 06:16:22 +08:00
u.search = undefined;
u.query = params;
return u.format();
2018-01-11 19:49:46 +08:00
}
2017-11-30 06:16:22 +08:00
isMixedContent() {
const parentContentProtocol = window.location.protocol;
const u = url.parse(this.props.url);
const childContentProtocol = u.protocol;
2017-08-02 00:49:41 +08:00
if (parentContentProtocol === 'https:' && childContentProtocol !== 'https:') {
2017-08-03 00:05:46 +08:00
console.warn("Refusing to load mixed-content app:",
parentContentProtocol, childContentProtocol, window.location, this.props.url);
return true;
}
return false;
2018-01-11 19:49:46 +08:00
}
componentWillMount() {
this.setScalarToken();
2018-01-11 19:49:46 +08:00
}
2017-12-16 00:56:02 +08:00
componentDidMount() {
2018-01-18 20:02:45 +08:00
// Widget action listeners
this.dispatcherRef = dis.register(this._onAction);
2018-01-11 19:49:46 +08:00
}
2017-12-16 00:56:02 +08:00
2018-01-18 20:02:45 +08:00
componentWillUnmount() {
// Widget action listeners
dis.unregister(this.dispatcherRef);
// if it's not remaining on screen, get rid of the PersistedElement container
if (!ActiveWidgetStore.getWidgetPersistence(this.props.id)) {
2018-07-24 23:50:34 +08:00
ActiveWidgetStore.destroyPersistentWidget();
const PersistedElement = sdk.getComponent("elements.PersistedElement");
PersistedElement.destroyElement(this._persistKey);
}
2018-01-18 20:02:45 +08:00
}
/**
* Adds a scalar token to the widget URL, if required
* Component initialisation is only complete when this function has resolved
*/
setScalarToken() {
2017-11-10 17:44:58 +08:00
this.setState({initialising: true});
if (!WidgetUtils.isScalarUrl(this.props.url)) {
console.warn('Non-scalar widget, not setting scalar token!', url);
this.setState({
error: null,
2017-11-30 06:16:22 +08:00
widgetUrl: this._addWurlParams(this.props.url),
initialising: false,
});
return;
}
// Fetch the token before loading the iframe as we need it to mangle the URL
2017-10-31 18:04:37 +08:00
if (!this._scalarClient) {
this._scalarClient = new ScalarAuthClient();
}
this._scalarClient.getScalarToken().done((token) => {
// Append scalar_token as a query param if not already present
2017-08-01 22:53:42 +08:00
this._scalarClient.scalarToken = token;
2017-11-30 06:16:22 +08:00
const u = url.parse(this._addWurlParams(this.props.url));
2017-11-07 20:33:38 +08:00
const params = qs.parse(u.query);
2017-10-31 18:37:40 +08:00
if (!params.scalar_token) {
params.scalar_token = encodeURIComponent(token);
// u.search must be set to undefined, so that u.format() uses query paramerters - https://nodejs.org/docs/latest/api/url.html#url_url_format_url_options
u.search = undefined;
u.query = params;
}
this.setState({
error: null,
widgetUrl: u.format(),
initialising: false,
});
2017-12-06 05:41:44 +08:00
// Fetch page title from remote content if not already set
2017-12-09 02:47:00 +08:00
if (!this.state.widgetPageTitle && params.url) {
this._fetchWidgetTitle(params.url);
}
}, (err) => {
console.error("Failed to get scalar_token", err);
this.setState({
error: err.message,
initialising: false,
});
});
2018-01-11 19:49:46 +08:00
}
componentWillReceiveProps(nextProps) {
if (nextProps.url !== this.props.url) {
2017-11-10 18:17:55 +08:00
this._getNewState(nextProps);
this.setScalarToken();
} else if (nextProps.show && !this.props.show && this.props.waitForIframeLoad) {
this.setState({
loading: true,
});
2017-12-13 18:14:26 +08:00
} else if (nextProps.widgetPageTitle !== this.props.widgetPageTitle) {
this.setState({
widgetPageTitle: nextProps.widgetPageTitle,
});
}
2018-01-11 19:49:46 +08:00
}
_canUserModify() {
// User widgets should always be modifiable by their creator
if (this.props.userWidget && MatrixClientPeg.get().credentials.userId === this.props.creatorUserId) {
return true;
}
// Check if the current user can modify widgets in the current room
2017-08-01 18:39:17 +08:00
return WidgetUtils.canUserModifyWidgets(this.props.room.roomId);
2018-01-11 19:49:46 +08:00
}
_onEditClick(e) {
console.log("Edit widget ID ", this.props.id);
2018-02-07 22:44:01 +08:00
if (this.props.onEditClick) {
this.props.onEditClick();
} else {
const IntegrationsManager = sdk.getComponent("views.settings.IntegrationsManager");
const src = this._scalarClient.getScalarInterfaceUrlForRoom(
2018-02-09 19:44:27 +08:00
this.props.room, 'type_' + this.props.type, this.props.id);
2018-02-07 22:44:01 +08:00
Modal.createTrackedDialog('Integrations Manager', '', IntegrationsManager, {
src: src,
}, "mx_IntegrationsManager");
}
2018-01-11 19:49:46 +08:00
}
2017-05-23 01:00:17 +08:00
2017-12-03 19:25:15 +08:00
_onSnapshotClick(e) {
2017-12-16 00:56:02 +08:00
console.warn("Requesting widget snapshot");
ActiveWidgetStore.getWidgetMessaging(this.props.id).getScreenshot()
2018-03-28 19:22:06 +08:00
.catch((err) => {
console.error("Failed to get screenshot", err);
})
.then((screenshot) => {
dis.dispatch({
action: 'picture_snapshot',
file: screenshot,
}, true);
});
2018-01-11 19:49:46 +08:00
}
2017-12-03 19:25:15 +08:00
2017-11-10 19:50:14 +08:00
/* If user has permission to modify widgets, delete the widget,
* otherwise revoke access for the widget to load in the user's browser
*/
_onDeleteClick() {
2018-02-07 22:44:01 +08:00
if (this.props.onDeleteClick) {
this.props.onDeleteClick();
} else {
2018-02-07 22:44:01 +08:00
if (this._canUserModify()) {
// Show delete confirmation dialog
const QuestionDialog = sdk.getComponent("dialogs.QuestionDialog");
Modal.createTrackedDialog('Delete Widget', '', QuestionDialog, {
title: _t("Delete Widget"),
description: _t(
"Deleting a widget removes it for all users in this room." +
" Are you sure you want to delete this widget?"),
button: _t("Delete widget"),
onFinished: (confirmed) => {
if (!confirmed) {
return;
}
this.setState({deleting: true});
2018-06-26 23:27:17 +08:00
// HACK: This is a really dirty way to ensure that Jitsi cleans up
// its hold on the webcam. Without this, the widget holds a media
// stream open, even after death. See https://github.com/vector-im/riot-web/issues/7351
if (this.refs.appFrame) {
// In practice we could just do `+= ''` to trick the browser
// into thinking the URL changed, however I can foresee this
// being optimized out by a browser. Instead, we'll just point
// the iframe at a page that is reasonably safe to use in the
// event the iframe doesn't wink away.
// This is relative to where the Riot instance is located.
2018-10-26 05:59:42 +08:00
this.refs.appFrame.src = 'about:blank';
}
2018-06-26 23:27:17 +08:00
WidgetUtils.setRoomWidget(
this.props.room.roomId,
this.props.id,
2018-06-26 23:27:17 +08:00
).catch((e) => {
2018-02-07 22:44:01 +08:00
console.error('Failed to delete widget', e);
const ErrorDialog = sdk.getComponent("dialogs.ErrorDialog");
Modal.createTrackedDialog('Failed to remove widget', '', ErrorDialog, {
title: _t('Failed to remove widget'),
description: _t('An error ocurred whilst trying to remove the widget from the room'),
});
2018-03-29 23:56:25 +08:00
}).finally(() => {
2018-02-07 22:44:01 +08:00
this.setState({deleting: false});
});
},
});
} else {
console.log("Revoke widget permissions - %s", this.props.id);
this._revokeWidgetPermission();
}
}
2018-01-11 19:49:46 +08:00
}
2017-11-30 06:16:22 +08:00
/**
* Called when widget iframe has finished loading
*/
_onLoaded() {
if (!ActiveWidgetStore.getWidgetMessaging(this.props.id)) {
this._setupWidgetMessaging();
2018-03-28 19:22:06 +08:00
}
ActiveWidgetStore.setRoomId(this.props.id, this.props.room.roomId);
this.setState({loading: false});
2018-03-28 19:22:06 +08:00
}
_setupWidgetMessaging() {
// FIXME: There's probably no reason to do this here: it should probably be done entirely
// in ActiveWidgetStore.
const widgetMessaging = new WidgetMessaging(this.props.id, this.props.url, this.refs.appFrame.contentWindow);
ActiveWidgetStore.setWidgetMessaging(this.props.id, widgetMessaging);
widgetMessaging.getCapabilities().then((requestedCapabilities) => {
console.log(`Widget ${this.props.id} requested capabilities: ` + requestedCapabilities);
requestedCapabilities = requestedCapabilities || [];
// Allow whitelisted capabilities
let requestedWhitelistCapabilies = [];
if (this.props.whitelistCapabilities && this.props.whitelistCapabilities.length > 0) {
requestedWhitelistCapabilies = requestedCapabilities.filter(function(e) {
return this.indexOf(e)>=0;
}, this.props.whitelistCapabilities);
if (requestedWhitelistCapabilies.length > 0 ) {
console.warn(`Widget ${this.props.id} allowing requested, whitelisted properties: ` +
requestedWhitelistCapabilies,
);
}
}
// TODO -- Add UI to warn about and optionally allow requested capabilities
ActiveWidgetStore.setWidgetCapabilities(this.props.id, requestedWhitelistCapabilies);
if (this.props.onCapabilityRequest) {
this.props.onCapabilityRequest(requestedCapabilities);
}
}).catch((err) => {
2018-03-13 19:01:51 +08:00
console.log(`Failed to get capabilities for widget type ${this.props.type}`, this.props.id, err);
});
2018-01-11 19:49:46 +08:00
}
_onAction(payload) {
if (payload.widgetId === this.props.id) {
switch (payload.action) {
case 'm.sticker':
if (this._hasCapability('m.sticker')) {
dis.dispatch({action: 'post_sticker_message', data: payload.data});
} else {
console.warn('Ignoring sticker message. Invalid capability');
}
break;
}
}
2018-01-11 19:49:46 +08:00
}
2018-01-05 02:41:47 +08:00
2017-11-30 06:16:22 +08:00
/**
* Set remote content title on AppTile
2017-12-06 05:41:44 +08:00
* @param {string} url Url to check for title
2017-11-30 06:16:22 +08:00
*/
_fetchWidgetTitle(url) {
2017-12-06 05:41:44 +08:00
this._scalarClient.getScalarPageTitle(url).then((widgetPageTitle) => {
if (widgetPageTitle) {
this.setState({widgetPageTitle: widgetPageTitle});
}
}, (err) =>{
console.error("Failed to get page title", err);
});
2018-01-11 19:49:46 +08:00
}
2017-07-28 23:48:13 +08:00
// Widget labels to render, depending upon user permissions
// These strings are translated at the point that they are inserted in to the DOM, in the render method
_deleteWidgetLabel() {
if (this._canUserModify()) {
return _td('Delete widget');
}
return _td('Revoke widget access');
2018-01-11 19:49:46 +08:00
}
2017-05-23 01:00:17 +08:00
2017-07-29 01:21:23 +08:00
/* TODO -- Store permission in account data so that it is persisted across multiple devices */
2017-07-26 18:28:43 +08:00
_grantWidgetPermission() {
console.warn('Granting permission to load widget - ', this.state.widgetUrl);
localStorage.setItem(this.state.widgetPermissionId, true);
2017-07-27 23:41:52 +08:00
this.setState({hasPermissionToLoad: true});
2018-01-11 19:49:46 +08:00
}
2017-07-26 18:28:43 +08:00
_revokeWidgetPermission() {
console.warn('Revoking permission to load widget - ', this.state.widgetUrl);
localStorage.removeItem(this.state.widgetPermissionId);
this.setState({hasPermissionToLoad: false});
// Force the widget to be non-persistent
2018-07-24 23:50:34 +08:00
ActiveWidgetStore.destroyPersistentWidget();
2018-08-17 16:42:23 +08:00
const PersistedElement = sdk.getComponent("elements.PersistedElement");
PersistedElement.destroyElement(this._persistKey);
2018-01-11 19:49:46 +08:00
}
2017-05-23 01:00:17 +08:00
formatAppTileName() {
let appTileName = "No name";
2017-11-16 21:19:36 +08:00
if (this.props.name && this.props.name.trim()) {
appTileName = this.props.name.trim();
}
return appTileName;
2018-01-11 19:49:46 +08:00
}
onClickMenuBar(ev) {
ev.preventDefault();
// Ignore clicks on menu bar children
if (ev.target !== this.refs.menu_bar) {
return;
}
// Toggle the view state of the apps drawer
dis.dispatch({
action: 'appsDrawer',
show: !this.props.show,
});
2018-01-11 19:49:46 +08:00
}
2017-11-30 06:16:22 +08:00
_getSafeUrl() {
const parsedWidgetUrl = url.parse(this.state.widgetUrl, true);
if (ENABLE_REACT_PERF) {
parsedWidgetUrl.search = null;
parsedWidgetUrl.query.react_perf = true;
}
2017-11-30 06:16:22 +08:00
let safeWidgetUrl = '';
if (ALLOWED_APP_URL_SCHEMES.indexOf(parsedWidgetUrl.protocol) !== -1) {
safeWidgetUrl = url.format(parsedWidgetUrl);
}
return safeWidgetUrl;
2018-01-11 19:49:46 +08:00
}
2017-11-30 06:16:22 +08:00
2018-02-07 22:44:01 +08:00
_getTileTitle() {
const name = this.formatAppTileName();
const titleSpacer = <span>&nbsp;-&nbsp;</span>;
let title = '';
if (this.state.widgetPageTitle && this.state.widgetPageTitle != this.formatAppTileName()) {
title = this.state.widgetPageTitle;
}
return (
<span>
<b>{ name }</b>
<span>{ title ? titleSpacer : '' }{ title }</span>
</span>
);
}
_onMinimiseClick(e) {
if (this.props.onMinimiseClick) {
this.props.onMinimiseClick();
}
}
_onPopoutWidgetClick(e) {
// Using Object.assign workaround as the following opens in a new window instead of a new tab.
// window.open(this._getSafeUrl(), '_blank', 'noopener=yes,noreferrer=yes');
Object.assign(document.createElement('a'),
{ target: '_blank', href: this._getSafeUrl(), rel: 'noopener noreferrer'}).click();
}
2018-05-23 02:14:54 +08:00
_onReloadWidgetClick(e) {
// Reload iframe in this way to avoid cross-origin restrictions
this.refs.appFrame.src = this.refs.appFrame.src;
}
render() {
let appTileBody;
// Don't render widget if it is in the process of being deleted
if (this.state.deleting) {
return <div></div>;
}
2017-07-26 18:28:43 +08:00
// Note that there is advice saying allow-scripts shouldn't be used with allow-same-origin
// because that would allow the iframe to prgramatically remove the sandbox attribute, but
// this would only be for content hosted on the same origin as the riot client: anything
// hosted on the same origin as the client will get the same access as if you clicked
// a link to it.
const sandboxFlags = "allow-forms allow-popups allow-popups-to-escape-sandbox "+
"allow-same-origin allow-scripts allow-presentation";
2017-07-26 18:28:43 +08:00
// Additional iframe feature pemissions
// (see - https://sites.google.com/a/chromium.org/dev/Home/chromium-security/deprecating-permissions-in-cross-origin-iframes and https://wicg.github.io/feature-policy/)
const iframeFeatures = "microphone; camera; encrypted-media; autoplay;";
const appTileBodyClass = 'mx_AppTileBody' + (this.props.miniMode ? '_mini ' : ' ');
if (this.props.show) {
const loadingElement = (
<div className="mx_AppLoading_spinner_fadeIn">
<MessageSpinner msg='Loading...' />
</div>
);
if (this.state.initialising) {
appTileBody = (
<div className={appTileBodyClass + (this.state.loading ? 'mx_AppLoading' : '')}>
{ loadingElement }
</div>
);
} else if (this.state.hasPermissionToLoad == true) {
if (this.isMixedContent()) {
appTileBody = (
<div className={appTileBodyClass}>
<AppWarning errorMsg="Error - Mixed content" />
</div>
);
} else {
appTileBody = (
<div className={appTileBodyClass + (this.state.loading ? 'mx_AppLoading' : '')}>
2017-11-09 04:38:54 +08:00
{ this.state.loading && loadingElement }
2018-02-22 07:35:57 +08:00
{ /*
The "is" attribute in the following iframe tag is needed in order to enable rendering of the
"allow" attribute, which is unknown to react 15.
*/ }
<iframe
2018-02-22 07:35:57 +08:00
is
allow={iframeFeatures}
ref="appFrame"
2017-11-30 06:16:22 +08:00
src={this._getSafeUrl()}
allowFullScreen="true"
sandbox={sandboxFlags}
2017-10-31 18:43:17 +08:00
onLoad={this._onLoaded}
></iframe>
</div>
);
// if the widget would be allowed to remian on screen, we must put it in
// a PersistedElement from the get-go, otherwise the iframe will be
// re-mounted later when we do.
if (this.props.whitelistCapabilities.includes('m.always_on_screen')) {
const PersistedElement = sdk.getComponent("elements.PersistedElement");
// Also wrap the PersistedElement in a div to fix the height, otherwise
// AppTile's border is in the wrong place
appTileBody = <div className="mx_AppTile_persistedWrapper">
<PersistedElement persistKey={this._persistKey}>
{appTileBody}
</PersistedElement>
</div>;
}
}
} else {
const isRoomEncrypted = MatrixClientPeg.get().isRoomEncrypted(this.props.room.roomId);
appTileBody = (
<div className={appTileBodyClass}>
<AppPermission
isRoomEncrypted={isRoomEncrypted}
url={this.state.widgetUrl}
onPermissionGranted={this._grantWidgetPermission}
/>
</div>
);
2017-07-12 21:16:47 +08:00
}
}
// editing is done in scalar
const showEditButton = Boolean(this._scalarClient && this._canUserModify());
const deleteWidgetLabel = this._deleteWidgetLabel();
let deleteIcon = require("../../../../res/img/cancel_green.svg");
let deleteClasses = 'mx_AppTileMenuBarWidget';
2017-11-16 21:19:36 +08:00
if (this._canUserModify()) {
deleteIcon = require("../../../../res/img/icon-delete-pink.svg");
deleteClasses += ' mx_AppTileMenuBarWidgetDelete';
}
// Picture snapshot - only show button when apps are maximised.
const showPictureSnapshotButton = this._hasCapability('m.capability.screenshot') && this.props.show;
const showPictureSnapshotIcon = require("../../../../res/img/camera_green.svg");
const popoutWidgetIcon = require("../../../../res/img/button-new-window.svg");
const reloadWidgetIcon = require("../../../../res/img/button-refresh.svg");
const minimizeIcon = require("../../../../res/img/minimize.svg");
const maximizeIcon = require("../../../../res/img/maximize.svg");
const windowStateIcon = (this.props.show ? minimizeIcon : maximizeIcon);
2017-12-03 19:25:15 +08:00
let appTileClass;
if (this.props.miniMode) {
2018-07-23 22:58:07 +08:00
appTileClass = 'mx_AppTile_mini';
} else if (this.props.fullWidth) {
appTileClass = 'mx_AppTileFullWidth';
} else {
appTileClass = 'mx_AppTile';
}
2017-05-22 19:34:27 +08:00
return (
<div className={appTileClass} id={this.props.id}>
2018-01-11 21:20:58 +08:00
{ this.props.showMenubar &&
<div ref="menu_bar" className="mx_AppTileMenuBar" onClick={this.onClickMenuBar}>
<span className="mx_AppTileMenuBarTitle" style={{pointerEvents: (this.props.handleMinimisePointerEvents ? 'all' : false)}}>
2018-02-07 22:44:01 +08:00
{ this.props.showMinimise && <TintableSvgButton
src={windowStateIcon}
className="mx_AppTileMenuBarWidget mx_AppTileMenuBarWidgetPadding"
title={_t('Minimize apps')}
width="10"
height="10"
onClick={this._onMinimiseClick}
2018-02-07 22:44:01 +08:00
/> }
{ this.props.showTitle && this._getTileTitle() }
</span>
2017-05-22 19:34:27 +08:00
<span className="mx_AppTileMenuBarWidgets">
2018-05-23 02:14:54 +08:00
{ /* Reload widget */ }
{ this.props.showReload && <TintableSvgButton
src={reloadWidgetIcon}
className="mx_AppTileMenuBarWidget mx_AppTileMenuBarWidgetPadding"
title={_t('Reload widget')}
onClick={this._onReloadWidgetClick}
width="10"
height="10"
/> }
{ /* Popout widget */ }
2018-04-25 23:28:27 +08:00
{ this.props.showPopout && <TintableSvgButton
src={popoutWidgetIcon}
className="mx_AppTileMenuBarWidget mx_AppTileMenuBarWidgetPadding"
title={_t('Popout widget')}
onClick={this._onPopoutWidgetClick}
width="10"
height="10"
2018-04-25 23:28:27 +08:00
/> }
{ /* Snapshot widget */ }
{ showPictureSnapshotButton && <TintableSvgButton
src={showPictureSnapshotIcon}
className="mx_AppTileMenuBarWidget mx_AppTileMenuBarWidgetPadding"
title={_t('Picture')}
onClick={this._onSnapshotClick}
width="10"
height="10"
/> }
2017-12-03 19:25:15 +08:00
{ /* Edit widget */ }
{ showEditButton && <TintableSvgButton
src={require("../../../../res/img/edit_green.svg")}
2018-03-09 01:25:28 +08:00
className={"mx_AppTileMenuBarWidget " +
(this.props.showDelete ? "mx_AppTileMenuBarWidgetPadding" : "")}
title={_t('Edit')}
2017-05-23 01:00:17 +08:00
onClick={this._onEditClick}
2017-11-15 23:17:21 +08:00
width="10"
height="10"
/> }
2017-05-23 01:00:17 +08:00
{ /* Delete widget */ }
{ this.props.showDelete && <TintableSvgButton
src={deleteIcon}
className={deleteClasses}
title={_t(deleteWidgetLabel)}
onClick={this._onDeleteClick}
2017-11-15 23:17:21 +08:00
width="10"
height="10"
/> }
2017-05-22 19:34:27 +08:00
</span>
2018-01-11 21:20:58 +08:00
</div> }
{ appTileBody }
2017-05-22 19:34:27 +08:00
</div>
);
2018-01-11 19:49:46 +08:00
}
}
2018-02-07 22:48:43 +08:00
AppTile.displayName ='AppTile';
2018-01-11 19:49:46 +08:00
AppTile.propTypes = {
2018-02-26 06:36:59 +08:00
id: PropTypes.string.isRequired,
url: PropTypes.string.isRequired,
name: PropTypes.string.isRequired,
room: PropTypes.object.isRequired,
type: PropTypes.string.isRequired,
2018-01-11 19:49:46 +08:00
// Specifying 'fullWidth' as true will render the app tile to fill the width of the app drawer continer.
// This should be set to true when there is only one widget in the app drawer, otherwise it should be false.
2018-02-26 06:36:59 +08:00
fullWidth: PropTypes.bool,
// Optional. If set, renders a smaller view of the widget
miniMode: PropTypes.bool,
2018-01-11 19:49:46 +08:00
// UserId of the current user
2018-02-26 06:36:59 +08:00
userId: PropTypes.string.isRequired,
2018-01-11 19:49:46 +08:00
// UserId of the entity that added / modified the widget
2018-02-26 06:36:59 +08:00
creatorUserId: PropTypes.string,
waitForIframeLoad: PropTypes.bool,
showMenubar: PropTypes.bool,
2018-01-11 21:20:58 +08:00
// Should the AppTile render itself
2018-02-26 06:36:59 +08:00
show: PropTypes.bool,
2018-02-07 22:44:01 +08:00
// Optional onEditClickHandler (overrides default behaviour)
2018-02-26 06:36:59 +08:00
onEditClick: PropTypes.func,
2018-02-07 22:44:01 +08:00
// Optional onDeleteClickHandler (overrides default behaviour)
2018-02-26 06:36:59 +08:00
onDeleteClick: PropTypes.func,
// Optional onMinimiseClickHandler
onMinimiseClick: PropTypes.func,
2018-02-07 22:44:01 +08:00
// Optionally hide the tile title
2018-02-26 06:36:59 +08:00
showTitle: PropTypes.bool,
2018-02-07 22:44:01 +08:00
// Optionally hide the tile minimise icon
2018-02-26 06:36:59 +08:00
showMinimise: PropTypes.bool,
// Optionally handle minimise button pointer events (default false)
handleMinimisePointerEvents: PropTypes.bool,
// Optionally hide the delete icon
showDelete: PropTypes.bool,
2018-04-25 23:28:27 +08:00
// Optionally hide the popout widget icon
showPopout: PropTypes.bool,
2018-05-23 02:14:54 +08:00
// Optionally show the reload widget icon
// This is not currently intended for use with production widgets. However
// it can be useful when developing persistent widgets in order to avoid
// having to reload all of riot to get new widget content.
showReload: PropTypes.bool,
// Widget capabilities to allow by default (without user confirmation)
// NOTE -- Use with caution. This is intended to aid better integration / UX
// basic widget capabilities, e.g. injecting sticker message events.
whitelistCapabilities: PropTypes.array,
// Optional function to be called on widget capability request
// Called with an array of the requested capabilities
onCapabilityRequest: PropTypes.func,
// Is this an instance of a user widget
userWidget: PropTypes.bool,
2018-01-11 19:49:46 +08:00
};
AppTile.defaultProps = {
url: "",
waitForIframeLoad: true,
2018-01-11 21:20:58 +08:00
showMenubar: true,
2018-02-07 22:44:01 +08:00
showTitle: true,
showMinimise: true,
showDelete: true,
2018-04-25 23:28:27 +08:00
showPopout: true,
2018-05-23 02:14:54 +08:00
showReload: false,
handleMinimisePointerEvents: false,
whitelistCapabilities: [],
userWidget: false,
miniMode: false,
2018-01-11 19:49:46 +08:00
};