SessionRecording-cleanup

pull/1102/head
Vincent 5 years ago
parent 6078be1657
commit 9ec99da9f9

@ -107,6 +107,7 @@
"react-autosize-textarea": "^7.0.0",
"react-contextmenu": "2.11.0",
"react-dom": "16.8.3",
"react-h5-audio-player": "^3.2.0",
"react-portal": "^4.2.0",
"react-qr-svg": "^2.2.1",
"react-redux": "6.0.1",

@ -12,6 +12,10 @@ import { ContactName } from './ContactName';
import { Quote, QuotedAttachmentType } from './Quote';
import { EmbeddedContact } from './EmbeddedContact';
// Audio Player
import H5AudioPlayer from 'react-h5-audio-player';
import 'react-h5-audio-player/lib/styles.css';
import {
canDisplayImage,
getExtensionForDisplay,
@ -400,25 +404,37 @@ export class Message extends React.PureComponent<Props, State> {
);
} else if (!firstAttachment.pending && isAudio(attachments)) {
return (
<audio
role="button"
<div
role="main"
onClick={(e: any) => {
e.stopPropagation();
}}
controls={true}
className={classNames(
'module-message__audio-attachment',
withContentBelow
? 'module-message__audio-attachment--with-content-below'
: null,
withContentAbove
? 'module-message__audio-attachment--with-content-above'
: null
)}
key={firstAttachment.url}
>
<source src={firstAttachment.url} />
</audio>
{/* <audio
role="button"
onClick={(e: any) => {
e.stopPropagation();
}}
controls={true}
className={classNames(
'module-message__audio-attachment',
withContentBelow
? 'module-message__audio-attachment--with-content-below'
: null,
withContentAbove
? 'module-message__audio-attachment--with-content-above'
: null
)}
key={firstAttachment.url}
>
<source src={firstAttachment.url} />
</audio> */}
<H5AudioPlayer
src={firstAttachment.url}
layout="horizontal"
/>
</div>
);
} else {
const { pending, fileName, fileSize, contentType } = firstAttachment;

@ -0,0 +1,338 @@
import React from 'react';
import { SessionIconButton, SessionIconSize, SessionIconType } from './icon';
import { Avatar } from '../Avatar';
import {
SessionButton,
SessionButtonColor,
SessionButtonType,
} from './SessionButton';
import { SessionDropdown } from './SessionDropdown';
import { MediaGallery } from '../conversation/media-gallery/MediaGallery';
import _ from 'lodash';
import { TimerOption } from '../conversation/ConversationHeader';
interface Props {
id: string;
name: string;
memberCount: number;
description: string;
avatarPath: string;
timerOptions: Array<TimerOption>;
isPublic: boolean;
isAdmin: boolean;
amMod: boolean;
onGoBack: () => void;
onInviteFriends: () => void;
onLeaveGroup: () => void;
onUpdateGroupName: () => void;
onUpdateGroupMembers: () => void;
onShowLightBox: (options: any) => void;
onSetDisappearingMessages: (seconds: number) => void;
}
export class SessionGroupSettings extends React.Component<Props, any> {
public constructor(props: Props) {
super(props);
this.state = {
documents: Array<any>(),
media: Array<any>(),
onItemClick: undefined,
};
}
public componentWillMount() {
this.getMediaGalleryProps()
.then(({ documents, media, onItemClick }) => {
this.setState({
documents,
media,
onItemClick,
});
})
.ignore();
}
public componentDidUpdate() {
const mediaScanInterval = 1000;
setTimeout(() => {
this.getMediaGalleryProps()
.then(({ documents, media, onItemClick }) => {
this.setState({
documents,
media,
onItemClick,
});
})
.ignore();
}, mediaScanInterval);
}
public async getMediaGalleryProps() {
// We fetch more documents than media as they dont require to be loaded
// into memory right away. Revisit this once we have infinite scrolling:
const DEFAULT_MEDIA_FETCH_COUNT = 50;
const DEFAULT_DOCUMENTS_FETCH_COUNT = 150;
const conversationId = this.props.id;
const rawMedia = await window.Signal.Data.getMessagesWithVisualMediaAttachments(
conversationId,
{
limit: DEFAULT_MEDIA_FETCH_COUNT,
MessageCollection: window.Whisper.MessageCollection,
}
);
const rawDocuments = await window.Signal.Data.getMessagesWithFileAttachments(
conversationId,
{
limit: DEFAULT_DOCUMENTS_FETCH_COUNT,
MessageCollection: window.Whisper.MessageCollection,
}
);
// First we upgrade these messages to ensure that they have thumbnails
const max = rawMedia.length;
for (let i = 0; i < max; i += 1) {
const message = rawMedia[i];
const { schemaVersion } = message;
if (schemaVersion < message.VERSION_NEEDED_FOR_DISPLAY) {
// Yep, we really do want to wait for each of these
// eslint-disable-next-line no-await-in-loop
rawMedia[i] = await window.Signal.Migrations.upgradeMessageSchema(
message
);
// eslint-disable-next-line no-await-in-loop
await window.Signal.Data.saveMessage(rawMedia[i], {
Message: window.Whisper.Message,
});
}
}
// tslint:disable-next-line: underscore-consistent-invocation
const media = _.flatten(
rawMedia.map((message: { attachments: any }) => {
const { attachments } = message;
return (attachments || [])
.filter(
(attachment: { thumbnail: any; pending: any; error: any }) =>
attachment.thumbnail && !attachment.pending && !attachment.error
)
.map(
(
attachment: { path?: any; contentType?: any; thumbnail?: any },
index: any
) => {
const { thumbnail } = attachment;
return {
objectURL: window.Signal.Migrations.getAbsoluteAttachmentPath(
attachment.path
),
thumbnailObjectUrl: thumbnail
? window.Signal.Migrations.getAbsoluteAttachmentPath(
thumbnail.path
)
: null,
contentType: attachment.contentType,
index,
attachment,
message,
};
}
);
})
);
// Unlike visual media, only one non-image attachment is supported
const documents = rawDocuments.map(
(message: { attachments: Array<any> }) => {
const attachments = message.attachments || [];
const attachment = attachments[0];
return {
contentType: attachment.contentType,
index: 0,
attachment,
message,
};
}
);
const saveAttachment = async ({ attachment, message }: any = {}) => {
const timestamp = message.received_at;
window.Signal.Types.Attachment.save({
attachment,
document,
getAbsolutePath: window.Signal.Migrations.getAbsoluteAttachmentPath,
timestamp,
});
};
const onItemClick = async ({ message, attachment, type }: any) => {
switch (type) {
case 'documents': {
saveAttachment({ message, attachment }).ignore();
break;
}
case 'media': {
const lightBoxOptions = {
media,
attachment,
message,
};
this.onShowLightBox(lightBoxOptions);
break;
}
default:
throw new TypeError(`Unknown attachment type: '${type}'`);
}
};
return {
media,
documents,
onItemClick,
};
}
public onShowLightBox(options: any) {
this.props.onShowLightBox(options);
}
public render() {
const {
memberCount,
name,
timerOptions,
onLeaveGroup,
isPublic,
isAdmin,
amMod,
} = this.props;
const { documents, media, onItemClick } = this.state;
const showMemberCount = !!(memberCount && memberCount > 0);
const hasDisappearingMessages = !isPublic;
const leaveGroupString = isPublic
? window.i18n('leaveOpenGroup')
: window.i18n('leaveClosedGroup');
const disappearingMessagesOptions = timerOptions.map(option => {
return {
content: option.name,
onClick: () => {
this.props.onSetDisappearingMessages(option.value);
},
};
});
const showUpdateGroupNameButton = isPublic ? amMod : isAdmin;
const showUpdateGroupMembersButton = !isPublic && isAdmin;
return (
<div className="group-settings">
{this.renderHeader()}
<h2>{name}</h2>
{showMemberCount && (
<>
<div className="spacer-lg" />
<div role="button" className="subtle">
{window.i18n('members', memberCount)}
</div>
<div className="spacer-lg" />
</>
)}
<input
className="description"
placeholder={window.i18n('description')}
/>
{showUpdateGroupNameButton && (
<div
className="group-settings-item"
role="button"
onClick={this.props.onUpdateGroupName}
>
{isPublic
? window.i18n('editGroupNameOrPicture')
: window.i18n('editGroupName')}
</div>
)}
{showUpdateGroupMembersButton && (
<div
className="group-settings-item"
role="button"
onClick={this.props.onUpdateGroupMembers}
>
{window.i18n('showMembers')}
</div>
)}
{/*<div className="group-settings-item">
{window.i18n('notifications')}
</div>
*/}
{hasDisappearingMessages && (
<SessionDropdown
label={window.i18n('disappearingMessages')}
options={disappearingMessagesOptions}
/>
)}
<MediaGallery
documents={documents}
media={media}
onItemClick={onItemClick}
/>
<SessionButton
text={leaveGroupString}
buttonColor={SessionButtonColor.Danger}
buttonType={SessionButtonType.SquareOutline}
onClick={onLeaveGroup}
/>
</div>
);
}
private renderHeader() {
const {
id,
onGoBack,
onInviteFriends,
avatarPath,
isAdmin,
isPublic,
} = this.props;
const showInviteFriends = isPublic || isAdmin;
return (
<div className="group-settings-header">
<SessionIconButton
iconType={SessionIconType.Chevron}
iconSize={SessionIconSize.Medium}
iconRotation={90}
onClick={onGoBack}
/>
<Avatar
avatarPath={avatarPath}
phoneNumber={id}
conversationType="group"
size={80}
/>
<div className="invite-friends-container">
{showInviteFriends && (
<SessionIconButton
iconType={SessionIconType.AddUser}
iconSize={SessionIconSize.Medium}
onClick={onInviteFriends}
/>
)}
</div>
</div>
);
}
}

@ -8,7 +8,6 @@ import { SessionCompositionBox } from './SessionCompositionBox';
import { SessionProgress } from '../SessionProgress';
import { Message } from '../../conversation/Message';
import { FriendRequest } from '../../conversation/FriendRequest';
import { TimerNotification } from '../../conversation/TimerNotification';
import { getTimestamp } from './SessionConversationManager';
@ -283,11 +282,6 @@ export class SessionConversation extends React.Component<any, State> {
: item;
item = timerProps ? <TimerNotification {...timerProps} /> : item;
item = friendRequestProps ? (
<FriendRequest {...friendRequestProps} />
) : (
item
);
item = resetSessionProps ? (
<ResetSessionNotification {...resetSessionProps} />
) : (
@ -574,6 +568,7 @@ export class SessionConversation extends React.Component<any, State> {
profileName: conversation.getProfileName(),
color: conversation.getColor(),
avatarPath: conversation.getAvatarPath(),
isKickedFromGroup: conversation.isKickedFromGroup(),
isGroup: !conversation.isPrivate(),
isPublic: conversation.isPublic(),
isAdmin: conversation.get('groupAdmins').includes(ourPK),
@ -597,7 +592,9 @@ export class SessionConversation extends React.Component<any, State> {
onUpdateGroupMembers: () => {
window.Whisper.events.trigger('updateGroupMembers', conversation);
},
onInviteContacts: () => {
// VINCE TODO: Inviting contacts
},
onLeaveGroup: () => {
window.Whisper.events.trigger('leaveGroup', conversation);
},
@ -605,6 +602,8 @@ export class SessionConversation extends React.Component<any, State> {
onShowLightBox: (lightBoxOptions = {}) => {
conversation.showChannelLightbox(lightBoxOptions);
},
};
}
@ -805,9 +804,12 @@ export class SessionConversation extends React.Component<any, State> {
// Prevent grabbing messags with scroll more frequently than once per 5s.
const messageFetchInterval = 2;
const previousTopMessage = (
await this.getMessages(numMessages, messageFetchInterval, true)
await this.getMessages(numMessages, messageFetchInterval)
)?.previousTopMessage;
previousTopMessage && this.scrollToMessage(previousTopMessage);
if (previousTopMessage) {
this.scrollToMessage(previousTopMessage);
}
}
}

@ -149,6 +149,7 @@ export class SessionRecording extends React.Component<Props, State> {
}
}
// tslint:disable-next-line: cyclomatic-complexity
public render() {
const {
actionHover,
@ -178,6 +179,7 @@ export class SessionRecording extends React.Component<Props, State> {
return (
<div
role="main"
className="session-recording"
tabIndex={0}
onKeyDown={this.onKeyDown}
@ -310,7 +312,7 @@ export class SessionRecording extends React.Component<Props, State> {
});
}
private playAudio() {
private async playAudio() {
// Generate audio element if it doesn't exist
const generateAudioElement = () => {
const { mediaBlob, recordDuration } = this.state;
@ -324,11 +326,11 @@ export class SessionRecording extends React.Component<Props, State> {
audioElement.loop = false;
audioElement.oncanplaythrough = () => {
audioElement.oncanplaythrough = async () => {
const duration = recordDuration;
if (duration && audioElement.currentTime < duration) {
audioElement.play();
await audioElement.play();
}
};
@ -336,7 +338,9 @@ export class SessionRecording extends React.Component<Props, State> {
};
const audioElement = this.state.audioElement || generateAudioElement();
if (!audioElement) return;
if (!audioElement) {
return;
}
// Draw sweeping timeline
const drawSweepingTimeline = () => {
@ -344,16 +348,21 @@ export class SessionRecording extends React.Component<Props, State> {
const { width, height, barColorPlay } = this.state.canvasParams;
const canvas = this.playbackCanvas.current;
if (!canvas || isPaused) return;
if (!canvas || isPaused) {
return;
}
// Once audioElement is fully buffered, we get the true duration
let audioDuration = this.state.recordDuration;
if (audioElement.duration !== Infinity)
if (audioElement.duration !== Infinity) {
audioDuration = audioElement.duration;
}
const progress = width * (audioElement.currentTime / audioDuration);
const canvasContext = canvas.getContext(`2d`);
if (!canvasContext) return;
const canvasContext = canvas.getContext('2d');
if (!canvasContext) {
return;
}
canvasContext.beginPath();
canvasContext.fillStyle = barColorPlay;
@ -384,10 +393,10 @@ export class SessionRecording extends React.Component<Props, State> {
audioElement.duration &&
audioElement.currentTime === audioElement.duration
) {
this.initPlaybackView();
await this.initPlaybackView();
}
audioElement.play();
await audioElement.play();
requestAnimationFrame(drawSweepingTimeline);
}
@ -400,9 +409,9 @@ export class SessionRecording extends React.Component<Props, State> {
});
}
private onDeleteVoiceMessage() {
private async onDeleteVoiceMessage() {
this.pauseAudio();
this.stopRecordingStream();
await this.stopRecordingStream();
this.props.onExitVoiceNoteView();
}
@ -410,7 +419,9 @@ export class SessionRecording extends React.Component<Props, State> {
console.log(`[vince][mic] Sending voice message to composition box1`);
const audioBlob = this.state.mediaBlob.data;
if (!audioBlob) return;
if (!audioBlob) {
return;
}
// Is the audio file > attachment filesize limit
if (audioBlob.size > window.CONSTANTS.MAX_ATTACHMENT_FILESIZE) {
@ -433,7 +444,7 @@ export class SessionRecording extends React.Component<Props, State> {
);
}
private stopRecordingStream() {
private async stopRecordingStream() {
const { streamParams } = this.state;
// Exit if parameters aren't yet set
@ -442,28 +453,31 @@ export class SessionRecording extends React.Component<Props, State> {
}
// Stop the stream
if (streamParams.media.state !== 'inactive') streamParams.media.stop();
if (streamParams.media.state !== 'inactive') {
streamParams.media.stop();
}
streamParams.input.disconnect();
streamParams.processor.disconnect();
streamParams.stream.getTracks().forEach((track: any) => track.stop);
// Stop recording
this.stopRecording();
await this.stopRecording();
}
private onRecordingStream(stream: any) {
private async onRecordingStream(stream: any) {
// If not recording, stop stream
if (!this.state.isRecording) {
this.stopRecordingStream();
await this.stopRecordingStream();
return;
}
// Start recording the stream
const media = new window.MediaRecorder(stream, { mimeType: 'audio/webm' });
media.ondataavailable = (mediaBlob: any) => {
this.setState({ mediaBlob }, () => {
this.setState({ mediaBlob }, async () => {
// Generate PCM waveform for playback
this.initPlaybackView();
await this.initPlaybackView();
});
};
media.start();
@ -526,9 +540,12 @@ export class SessionRecording extends React.Component<Props, State> {
// Chop off values which exceed the bounds of the container
volumeArray = volumeArray.slice(0, numBars);
canvas && (canvas.height = height);
canvas && (canvas.width = width);
const canvasContext = canvas && canvas.getContext(`2d`);
if (canvas) {
canvas.width = width;
canvas.height = height;
}
const canvasContext = canvas && canvas.getContext('2d');
for (var i = 0; i < volumeArray.length; i++) {
const barHeight = Math.ceil(volumeArray[i]);
@ -566,8 +583,8 @@ export class SessionRecording extends React.Component<Props, State> {
const groupSize = Math.floor(array.length / numGroups);
let compacted = new Float32Array(numGroups);
let sum = 0;
const compacted = new Float32Array(numGroups);
for (let i = 0; i < array.length; i++) {
sum += array[i];
@ -602,7 +619,7 @@ export class SessionRecording extends React.Component<Props, State> {
const arrayBuffer = await new Response(blob).arrayBuffer();
const audioContext = new window.AudioContext();
audioContext.decodeAudioData(arrayBuffer, (buffer: AudioBuffer) => {
await audioContext.decodeAudioData(arrayBuffer, (buffer: AudioBuffer) => {
this.setState({
recordDuration: buffer.duration,
});
@ -631,22 +648,26 @@ export class SessionRecording extends React.Component<Props, State> {
// CANVAS CONTEXT
const drawPlaybackCanvas = () => {
const canvas = this.playbackCanvas.current;
if (!canvas) return;
if (!canvas){
return;
}
canvas.height = height;
canvas.width = width;
const canvasContext = canvas.getContext(`2d`);
if (!canvasContext) return;
const canvasContext = canvas.getContext('2d');
if (!canvasContext) {
return;
}
for (let i = 0; i < barSizeArray.length; i++) {
const barHeight = Math.ceil(barSizeArray[i]);
const offset_x = Math.ceil(i * (barWidth + barPadding));
const offset_y = Math.ceil(height / 2 - barHeight / 2);
const offsetX = Math.ceil(i * (barWidth + barPadding));
const offsetY = Math.ceil(height / 2 - barHeight / 2);
// FIXME VINCE - Globalise JS references to colors
canvasContext.fillStyle = barColorInit;
this.drawRoundedRect(canvasContext, offset_x, offset_y, barHeight);
this.drawRoundedRect(canvasContext, offsetX, offsetY, barHeight);
}
};
@ -663,8 +684,12 @@ export class SessionRecording extends React.Component<Props, State> {
let r = this.state.canvasParams.barRadius;
const w = this.state.canvasParams.barWidth;
if (w < 2 * r) r = w / 2;
if (h < 2 * r) r = h / 2;
if (w < r * 2) {
r = w / 2;
}
if (h < r * 2) {
r = h / 2;
}
ctx.beginPath();
ctx.moveTo(x + r, y);
ctx.arcTo(x + w, y, x + w, y + h, r);

1
ts/window.d.ts vendored

@ -85,5 +85,6 @@ declare global {
ContactBuffer: any;
GroupBuffer: any;
SwarmPolling: SwarmPolling;
MediaRecorder: any;
}
}

@ -40,6 +40,13 @@
dependencies:
regenerator-runtime "^0.13.4"
"@babel/runtime@^7.10.2":
version "7.10.5"
resolved "https://registry.yarnpkg.com/@babel/runtime/-/runtime-7.10.5.tgz#303d8bd440ecd5a491eae6117fd3367698674c5c"
integrity sha512-otddXKhdNn7d0ptoFRHtMLa8LqDxLYwTjB4nYgM1yy5N6gU/MUf8zqyyLltCH3yAVitBzmwK4us+DD0l/MauAg==
dependencies:
regenerator-runtime "^0.13.4"
"@develar/schema-utils@~2.1.0":
version "2.1.0"
resolved "https://registry.yarnpkg.com/@develar/schema-utils/-/schema-utils-2.1.0.tgz#eceb1695bfbed6f6bb84666d5d3abe5e1fd54e17"
@ -64,6 +71,16 @@
global-agent "^2.0.2"
global-tunnel-ng "^2.7.1"
"@iconify/icons-mdi@^1.0.46":
version "1.0.117"
resolved "https://registry.yarnpkg.com/@iconify/icons-mdi/-/icons-mdi-1.0.117.tgz#f0f3dd76c77f3bc403c4dbd7f90762550d38b311"
integrity sha512-bFmPdJVJxW7aQPdZVlZuKQfYBEpYhRf+KDnW8Qj+xrJsrIyJI7QajOLXNARTnLebNKMPktz7l7CQXbeB+UmUIg==
"@iconify/react@^1.1.3":
version "1.1.3"
resolved "https://registry.yarnpkg.com/@iconify/react/-/react-1.1.3.tgz#ebe4d3e5f5dea23cd6a9634acd7a0a25c7414a59"
integrity sha512-ReZNJyr89AfED6XZIXkhsJiNv2taT3j1cTo1HVPHMsrKOz6gAYdXtD2kDWF6+GVoFUxpmnO0fMcA6yCyTf6Tow==
"@journeyapps/sqlcipher@https://github.com/scottnonnenberg-signal/node-sqlcipher.git#b10f232fac62ba7f8775c9e086bb5558fe7d948b":
version "4.0.0"
resolved "https://github.com/scottnonnenberg-signal/node-sqlcipher.git#b10f232fac62ba7f8775c9e086bb5558fe7d948b"
@ -2858,7 +2875,12 @@ diff@3.3.1:
resolved "https://registry.yarnpkg.com/diff/-/diff-3.3.1.tgz#aa8567a6eed03c531fc89d3f711cd0e5259dec75"
integrity sha512-MKPHZDMB0o6yHyDryUOScqZibp914ksXwAMYMTHj6KO8UeKsRYNJD3oNCKjTqZon+V488P7N/HzXF8t7ZR95ww==
diff@^4.0.1, diff@^4.0.2:
diff@^3.2.0:
version "3.5.0"
resolved "https://registry.yarnpkg.com/diff/-/diff-3.5.0.tgz#800c0dd1e0a8bfbc95835c202ad220fe317e5a12"
integrity sha512-A46qtFgd+g7pDZinpnwiRJtxbC1hpgf0uzP3iG89scHk0AUC7A1TGxf5OiiOUv/JMZR8GOt8hL900hV0bOy5xA==
diff@^4.0.2:
version "4.0.2"
resolved "https://registry.yarnpkg.com/diff/-/diff-4.0.2.tgz#60f3aecb89d5fae520c11aa19efc2bb982aade7d"
integrity sha512-58lmxKSA4BNyLz+HHMUzlOEpg09FV+ev6ZMe3vJihgdxzgcwZ8VoEEPmALCZG9LmqfVoNMMKpttIYTVG6uDY7A==
@ -6474,13 +6496,6 @@ mkdirp@0.5.1, "mkdirp@>=0.5 0", mkdirp@^0.5.0, mkdirp@^0.5.1, mkdirp@~0.5.0:
dependencies:
minimist "0.0.8"
mkdirp@^0.5.3:
version "0.5.5"
resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.5.tgz#d91cefd62d1436ca0f41620e251288d420099def"
integrity sha512-NKmAlESf6jMGym1++R0Ra7wvhV+wFW63FaSOFPwRahvea0gMUcGUhVeAg/0BC0wiv9ih5NYPB1Wn1UEI1/L+xQ==
dependencies:
minimist "^1.2.5"
mkdirp@^0.5.4, mkdirp@~0.5.1:
version "0.5.4"
resolved "https://registry.yarnpkg.com/mkdirp/-/mkdirp-0.5.4.tgz#fd01504a6797ec5c9be81ff43d204961ed64a512"
@ -8319,6 +8334,15 @@ react-group@^1.0.5:
dependencies:
prop-types "^15.6.0"
react-h5-audio-player@^3.2.0:
version "3.2.0"
resolved "https://registry.yarnpkg.com/react-h5-audio-player/-/react-h5-audio-player-3.2.0.tgz#bce677d0b3ee44373f2e5d9baf0d7cba263cf4be"
integrity sha512-u2nBMwo+5SpRjfDUEH79LmzbbVPJRBZNRLqpWZ/i6vanCQow+UaEZmSoKiwXamAejSXLXJa8+DFgnOskllJgHw==
dependencies:
"@babel/runtime" "^7.10.2"
"@iconify/icons-mdi" "^1.0.46"
"@iconify/react" "^1.1.3"
react-icon-base@2.1.0:
version "2.1.0"
resolved "https://registry.yarnpkg.com/react-icon-base/-/react-icon-base-2.1.0.tgz#a196e33fdf1e7aaa1fda3aefbb68bdad9e82a79d"

Loading…
Cancel
Save