Files
doneit-web/src/app/shared/chat/messages/messages.page.ts
T

1360 lines
38 KiB
TypeScript
Raw Normal View History

2023-09-12 11:19:02 +01:00
import { AfterViewInit, Component, ElementRef, EventEmitter, Input, OnChanges, OnDestroy, OnInit, Output, SimpleChanges, ViewChild } from '@angular/core';
2022-06-29 11:42:31 +01:00
import { AnimationController, GestureController, IonRange, ModalController, PopoverController } from '@ionic/angular';
2021-07-12 11:13:29 +01:00
import { ToastService } from 'src/app/services/toast.service';
2021-03-04 18:49:50 +01:00
import { ChatOptionsPopoverPage } from 'src/app/shared/popover/chat-options-popover/chat-options-popover.page';
import { MessagesOptionsPage } from 'src/app/shared/popover/messages-options/messages-options.page';
2021-03-12 11:56:54 +01:00
import { ContactsPage } from '../new-group/contacts/contacts.page';
2021-08-18 18:58:02 +01:00
import { ChatOptionsFeaturesPage } from 'src/app/modals/chat-options-features/chat-options-features.page';
2021-08-24 14:07:27 +01:00
import { ChatMessageStore } from 'src/app/store/chat/chat-message.service';
import { ChatUserStorage } from 'src/app/store/chat/chat-user.service';
2021-09-06 16:53:58 +01:00
import { TimeService } from 'src/app/services/functions/time.service';
2021-09-21 14:05:59 +01:00
import { FileService } from 'src/app/services/functions/file.service';
import { ViewDocumentPage } from 'src/app/modals/view-document/view-document.page';
2024-02-22 11:40:06 +01:00
import { ThemeService } from 'src/app/services/theme.service';
import { ViewEventPage } from 'src/app/modals/view-event/view-event.page';
2022-01-05 21:27:26 +01:00
import { Storage } from '@ionic/storage';
2022-09-30 15:13:36 +01:00
import { RochetChatConnectorService } from 'src/app/services/chat/rochet-chat-connector.service'
2022-01-20 14:31:49 +01:00
import { MessageService } from 'src/app/services/chat/message.service';
2022-02-03 21:01:53 +01:00
import { FileType } from 'src/app/models/fileType';
import { SearchPage } from 'src/app/pages/search/search.page';
2022-02-09 13:59:41 +01:00
import { Camera, CameraResultType, CameraSource } from '@capacitor/camera';
2022-03-03 08:21:22 +01:00
import { DocumentViewer, DocumentViewerOptions } from '@ionic-native/document-viewer';
2022-04-26 16:14:55 +01:00
import { VoiceRecorder, RecordingData, GenericResponse } from 'capacitor-voice-recorder';
import { Filesystem, Directory } from '@capacitor/filesystem';
2022-03-18 11:45:38 +01:00
import { DomSanitizer } from '@angular/platform-browser';
2022-08-02 14:03:52 +01:00
import { Platform } from '@ionic/angular';
import { File } from '@awesome-cordova-plugins/file/ngx';
import { FileOpener } from '@awesome-cordova-plugins/file-opener/ngx';
2022-04-18 15:12:27 +01:00
import { SessionStore } from 'src/app/store/session.service';
2022-06-29 11:42:31 +01:00
import { Howl } from 'howler';
import { ViewMediaPage } from 'src/app/modals/view-media/view-media.page';
2022-09-29 12:17:00 +01:00
import { ChatMessageDebuggingPage } from 'src/app/shared/popover/chat-message-debugging/chat-message-debugging.page';
2023-01-24 15:56:47 +01:00
import { PermissionService } from 'src/app/services/permission.service';
import { FileValidatorService } from "src/app/services/file/file-validator.service"
2024-06-10 16:34:43 +01:00
import { ChatPopoverPage } from '../../popover/chat-popover/chat-popover.page';
import { Observable as DexieObservable } from 'Dexie';
2024-06-13 12:11:17 +01:00
import { Subscription } from 'rxjs';
2024-07-11 10:28:21 +01:00
import { MessageRepositoryService } from 'src/app/module/chat/data/repository/message-respository.service'
import { RoomRepositoryService } from 'src/app/module/chat/data/repository/room-repository.service'
import { TableMessage } from 'src/app/module/chat/data/data-source/message/message-local-data-source.service';
import { TableMemberList } from 'src/app/module/chat/data/data-source/room/rooom-local-data-source.service';
import { MessageInputDTO } from 'src/app/module/chat/data/dto/message/messageInputDtO';
import { RoomListItemOutPutDTO } from 'src/app/module/chat/data/dto/room/roomListOutputDTO';
2024-07-17 16:39:18 +01:00
import { UserTypingServiceRepository } from 'src/app/module/chat/data/repository/user-typing-repository.service';
import { UserTypingList } from 'src/app/module/chat/data/data-source/userTyping/user-typing-local-data-source.service';
2024-07-11 10:28:21 +01:00
2021-03-04 18:49:50 +01:00
2021-12-16 16:36:39 +01:00
const IMAGE_DIR = 'stored-images';
2021-03-04 18:49:50 +01:00
@Component({
selector: 'app-messages',
templateUrl: './messages.page.html',
styleUrls: ['./messages.page.scss'],
})
2021-08-23 16:31:06 +01:00
export class MessagesPage implements OnInit, OnChanges, AfterViewInit, OnDestroy {
2021-03-04 18:49:50 +01:00
showLoader: boolean;
@ViewChild('scrollMe') private myScrollContainer: ElementRef;
@ViewChild('message-item') messageContainer: ElementRef;
2021-03-04 18:49:50 +01:00
2021-12-16 16:36:39 +01:00
messages: any;
dm: any;
userPresence = '';
dmUsers: any;
2021-07-26 19:31:19 +01:00
checktimeOut: boolean;
2021-12-16 16:36:39 +01:00
downloadProgess = 0;
2021-03-04 18:49:50 +01:00
2021-12-16 16:36:39 +01:00
@Input() roomId: string;
@Input() showMessages: string;
2021-07-23 14:43:51 +01:00
2021-12-16 16:36:39 +01:00
@Output() openNewEventPage: EventEmitter<any> = new EventEmitter<any>();
@Output() getDirectMessages: EventEmitter<any> = new EventEmitter<any>();
2024-06-10 16:34:43 +01:00
@Output() closeAllDesktopComponents: EventEmitter<any> = new EventEmitter<any>();
@Output() showEmptyContainer: EventEmitter<any> = new EventEmitter<any>();
@Output() openGroupContacts: EventEmitter<any> = new EventEmitter<any>();
@Output() openEditGroupPage: EventEmitter<any> = new EventEmitter<any>();
@Output() getGroups: EventEmitter<any> = new EventEmitter<any>();
2021-08-20 11:58:28 +01:00
2021-08-19 09:10:38 +01:00
2021-08-24 14:07:27 +01:00
chatMessageStore = ChatMessageStore
chatUserStorage = ChatUserStorage
2021-12-16 16:36:39 +01:00
scrollingOnce: boolean = true;
2021-08-23 16:31:06 +01:00
private scrollChangeCallback: () => void;
currentPosition: any;
startPosition: number;
mesageItemDropdownOptions: boolean = false;
scrollToBottomBtn = false;
longPressActive = false;
2021-10-18 17:10:33 +01:00
frameUrl: any;
2022-03-27 18:54:08 +01:00
downloadFile: string;
2022-01-20 14:31:49 +01:00
massages: MessageService[] = []
2021-08-20 11:24:42 +01:00
2022-03-14 17:11:00 +01:00
showAvatar = true;
recording = false;
allowTyping = true;
storedFileNames = [];
lastAudioRecorded = '';
2022-03-31 11:56:49 +01:00
audioRecorded: any = "";
audioDownloaded: any = "";
2022-03-14 17:11:00 +01:00
durationDisplay = '';
duration = 0;
2022-02-24 14:59:47 +01:00
audioPermissionStatus: 'granted' | 'denied' | 'prompt' | null = null
2022-04-18 15:12:27 +01:00
sessionStore = SessionStore
2022-06-29 11:42:31 +01:00
audioPlay: Howl = null;
isPlaying = false;
audioProgress = 0;
audioDuration = 0;
audioTimer: any;
@ViewChild('range', { static: false }) range: IonRange;
2024-07-17 16:39:18 +01:00
@ViewChild('array') myInputRef!: ElementRef;
userName = "";
2022-07-06 17:50:42 +01:00
room: any = new Array();
roomName: any;
2024-06-14 12:00:03 +01:00
isAdmin = true;
2022-07-06 17:50:42 +01:00
roomCountDownDate: string;
2024-06-05 10:28:38 +01:00
textField = ''
2024-06-10 16:34:43 +01:00
roomData$: DexieObservable<RoomListItemOutPutDTO | undefined>
roomMessage$: DexieObservable<TableMessage[]>
roomMembers$: DexieObservable<TableMemberList[] | undefined>
2024-07-17 16:39:18 +01:00
//userTyping$: DexieObservable<UserTypingList[] | undefined>
userTyping$: UserTypingList[] | undefined
2024-06-14 12:00:03 +01:00
newMessagesStream!: Subscription
2024-06-13 12:11:17 +01:00
2021-03-04 18:49:50 +01:00
constructor(
public popoverController: PopoverController,
private modalController: ModalController,
2021-03-12 11:56:54 +01:00
/* private navParams: NavParams, */
2021-03-18 09:25:59 +01:00
private animationController: AnimationController,
2021-07-12 11:13:29 +01:00
private toastService: ToastService,
2021-09-06 16:53:58 +01:00
private timeService: TimeService,
2021-09-21 14:05:59 +01:00
private fileService: FileService,
private gestureController: GestureController,
2021-11-22 13:53:37 +01:00
public ThemeService: ThemeService,
2022-01-19 09:12:30 +01:00
private storage: Storage,
2022-09-30 15:13:36 +01:00
public RochetChatConnectorService: RochetChatConnectorService,
2022-03-18 11:45:38 +01:00
private sanitiser: DomSanitizer,
private file: File,
private platform: Platform,
private fileOpener: FileOpener,
2023-01-24 15:56:47 +01:00
public p: PermissionService,
2024-06-05 10:28:38 +01:00
private FileValidatorService: FileValidatorService,
2024-06-05 12:06:36 +01:00
private roomRepositoryService: RoomRepositoryService,
2024-07-17 16:39:18 +01:00
private messageRepositoryService: MessageRepositoryService,
private userTypingServiceRepository: UserTypingServiceRepository,
2021-07-23 14:43:51 +01:00
) {
2022-09-30 10:16:08 +01:00
// update
2022-04-02 09:40:09 +01:00
this.checkAudioPermission()
2021-03-12 11:56:54 +01:00
}
2022-03-21 15:08:43 +01:00
2021-03-12 11:56:54 +01:00
ngOnChanges(changes: SimpleChanges): void {
2024-07-25 08:51:04 +01:00
console.log('change ¬!!')
2024-06-05 10:28:38 +01:00
this.roomData$ = this.roomRepositoryService.getItemByIdLive(this.roomId)
2024-06-05 14:31:26 +01:00
this.roomMessage$ = this.messageRepositoryService.getItemsLive(this.roomId)
2024-06-10 16:34:43 +01:00
this.roomMembers$ = this.roomRepositoryService.getRoomMemberByIdLive(this.roomId) as any
2024-06-07 12:29:53 +01:00
this.roomRepositoryService.getRoomById(this.roomId)
2024-06-05 15:35:38 +01:00
this.messageRepositoryService.listAllMessagesByRoomId(this.roomId)
2024-06-13 12:11:17 +01:00
2024-07-17 16:39:18 +01:00
this.userTypingServiceRepository.getUserTypingLive().subscribe((e) => {
const arrayNames = e.map(e => e.userName)
this.userTyping$ = e as any
const uniqueArray = [...new Set(arrayNames)];
(this.myInputRef.nativeElement as HTMLDivElement).innerHTML = '::'+ uniqueArray
this.scrollToBottomClicked()
})
2024-06-13 12:11:17 +01:00
this.newMessagesStream?.unsubscribe()
this.newMessagesStream = this.messageRepositoryService.subscribeToNewMessages(this.roomId).subscribe((e) => {
2024-06-14 12:00:03 +01:00
2024-06-13 12:11:17 +01:00
setTimeout(() => {
this.scrollToBottomClicked()
}, 10)
setTimeout(() => {
this.scrollToBottomClicked()
}, 200)
2024-06-14 12:00:03 +01:00
2024-07-25 08:51:04 +01:00
console.log('new message==============')
// this.messageRepositoryService.sendReadAt({roomId: this.roomId}).then((e) => {
// console.log(e)
// })
2024-07-18 16:19:30 +01:00
2024-06-13 12:11:17 +01:00
})
2024-07-17 16:39:18 +01:00
//this.userTyping$ = this.userTypingMemoryDataSource.select(state => state) as any
// let a = this.userTypingMemoryDataSource.select(state => state).subscribe((e) => {
// this.userTyping$ = e as any
// })
2021-03-04 18:49:50 +01:00
}
2024-07-17 16:39:18 +01:00
sendTyping() {
this.userTypingServiceRepository.addUserTyping(this.roomId)
}
2024-03-07 12:02:59 +01:00
2022-09-29 12:17:00 +01:00
async ChatMessageDebuggingPage() {
2023-09-06 21:23:21 +01:00
2022-09-29 12:17:00 +01:00
const modal = await this.modalController.create({
component: ChatMessageDebuggingPage,
cssClass: 'model profile-modal search-submodal',
componentProps: {
roomId: this.roomId,
}
});
return await modal.present();
}
2022-04-02 09:40:09 +01:00
async checkAudioPermission() {
const permissionStatus = await navigator.permissions.query({ name: 'microphone' } as any)
2022-04-02 09:40:09 +01:00
this.audioPermissionStatus = permissionStatus.state
permissionStatus.onchange = (data: any) => {
//
//
2022-04-02 09:40:09 +01:00
}
}
2021-03-04 18:49:50 +01:00
ngOnInit() {
2024-06-10 17:04:04 +01:00
// this.ChatSystemService.getAllRooms();
2022-10-11 13:56:56 +01:00
// this.chatService.refreshtoken();
2021-07-26 09:44:11 +01:00
this.scrollToBottom();
2022-02-03 16:36:05 +01:00
this.getChatMembers();
2022-03-18 11:45:38 +01:00
this.deleteRecording();
2022-03-14 17:11:00 +01:00
this.loadFiles();
2023-09-11 21:14:00 +01:00
2021-07-26 19:31:19 +01:00
}
2022-01-20 14:31:49 +01:00
2021-12-16 16:36:39 +01:00
onPressingMessage() {
const gesture = this.gestureController.create({
el: this.messageContainer.nativeElement,
gestureName: 'long-press',
2021-12-16 16:36:39 +01:00
onStart: ev => {
this.longPressActive = true;
},
onEnd: ev => {
this.longPressActive = false;
}
});
}
2021-12-16 16:36:39 +01:00
load = () => {
2021-07-26 19:31:19 +01:00
this.checktimeOut = true;
2021-03-04 18:49:50 +01:00
this.getChatMembers();
}
2021-03-12 11:56:54 +01:00
2021-12-16 16:36:39 +01:00
doRefresh(ev: any) {
2021-03-04 18:49:50 +01:00
this.load();
ev.target.complete();
}
2021-07-23 14:43:51 +01:00
2022-01-13 10:26:40 +01:00
scrollToBottom = () => {
2021-03-04 18:49:50 +01:00
try {
2021-12-16 16:36:39 +01:00
if (this.scrollingOnce) {
2021-08-23 16:31:06 +01:00
this.myScrollContainer.nativeElement.scrollTop = this.myScrollContainer.nativeElement.scrollHeight;
//this.scrollingOnce = false;
}
2021-12-16 16:36:39 +01:00
} catch (err) { }
2021-08-23 16:31:06 +01:00
}
2022-01-14 14:50:47 +01:00
scrollToBottomClicked = () => {
try {
this.myScrollContainer.nativeElement.scrollTop = this.myScrollContainer.nativeElement.scrollHeight;
//this.scrollingOnce = false;
2021-12-16 16:36:39 +01:00
} catch (err) { }
}
2021-08-23 16:31:06 +01:00
ngAfterViewInit() {
this.scrollChangeCallback = () => this.onContentScrolled(event);
window.addEventListener('scroll', this.scrollChangeCallback, true);
}
2021-12-16 16:36:39 +01:00
onContentScrolled(e) {
2021-08-23 16:31:06 +01:00
this.startPosition = e.srcElement.scrollTop;
let scroll = e.srcElement.scrollTop;
let windowHeight = e.srcElement.scrollHeight;
let containerHeight = windowHeight - e.srcElement.clientHeight;
2021-08-23 16:31:06 +01:00
if (scroll > this.currentPosition) {
} else {
this.scrollingOnce = false;
2021-07-12 11:13:29 +01:00
}
2021-12-16 16:36:39 +01:00
if ((containerHeight - 100) > scroll) {
this.scrollToBottomBtn = true;
}
2021-12-16 16:36:39 +01:00
else {
this.scrollToBottomBtn = false;
}
2021-08-23 16:31:06 +01:00
this.currentPosition = scroll;
}
2022-03-14 17:11:00 +01:00
calculateDuration() {
if (!this.recording) {
this.duration = 0;
this.durationDisplay = '';
return;
}
this.duration += 1;
const minutes = Math.floor(this.duration / 60);
const seconds = (this.duration % 60).toString().padStart(2, '0');
this.durationDisplay = `${minutes}:${seconds}`;
setTimeout(() => {
this.calculateDuration();
}, 1000)
}
2022-03-31 11:56:49 +01:00
async getFile(fileName?: any) {
2022-03-14 17:11:00 +01:00
const audioFile = await Filesystem.readFile({
path: fileName,
directory: Directory.Data
})
const base64sound = audioFile.data;
const base64Response = await fetch(`data:audio/ogg;base64,${base64sound}`);
this.audioRecorded = base64Response.url;
}
async loadFiles() {
2022-03-22 14:23:38 +01:00
try {
this.storage.get('fileName').then((fileName) => {
this.lastAudioRecorded = fileName;
})
2022-03-18 11:45:38 +01:00
2022-03-22 14:23:38 +01:00
this.storage.get('recordData').then((recordData) => {
2022-03-31 16:48:53 +01:00
if (recordData?.value?.recordDataBase64.includes('data:audio')) {
2022-03-24 17:40:14 +01:00
this.audioRecorded = this.sanitiser.bypassSecurityTrustResourceUrl(recordData?.value?.recordDataBase64);
2022-03-29 00:03:54 +01:00
}
else if (recordData?.value?.mimeType && recordData?.value?.recordDataBase64) {
2022-03-24 17:40:14 +01:00
this.audioRecorded = this.sanitiser.bypassSecurityTrustResourceUrl(`data:${recordData.value.mimeType};base64,${recordData?.value?.recordDataBase64}`);
2022-03-29 00:03:54 +01:00
}
2022-03-22 14:23:38 +01:00
});
2022-03-31 16:48:53 +01:00
} catch (error) { }
2022-03-18 11:45:38 +01:00
this.storage.get('recordData').then((recordData) => {
2022-04-18 15:24:01 +01:00
if (recordData?.value?.recordDataBase64?.includes('data:audio')) {
2022-03-18 11:45:38 +01:00
this.audioRecorded = this.sanitiser.bypassSecurityTrustResourceUrl(recordData.value.recordDataBase64);
}
else if (recordData?.value?.mimeType && recordData?.value?.recordDataBase64) {
2022-03-18 11:45:38 +01:00
this.audioRecorded = this.sanitiser.bypassSecurityTrustResourceUrl(`data:${recordData.value.mimeType};base64,${recordData.value.recordDataBase64}`);
}
});
2022-03-14 17:11:00 +01:00
}
2022-04-07 15:22:25 +01:00
async startRecording() {
VoiceRecorder.requestAudioRecordingPermission();
if (await VoiceRecorder.canDeviceVoiceRecord().then((result: GenericResponse) => { return result.value })) {
if (await VoiceRecorder.requestAudioRecordingPermission().then((result: GenericResponse) => { return result.value })) {
2022-04-07 15:22:25 +01:00
//if(await this.hasAudioRecordingPermission()){
if (this.recording) {
return;
}
this.recording = true;
VoiceRecorder.startRecording();
this.calculateDuration();
2022-04-07 15:22:25 +01:00
//}
}
2022-05-30 16:06:28 +01:00
else {
2022-04-07 15:22:25 +01:00
this.toastService._badRequest('Para gravar uma mensagem de voz, permita o acesso do Gabinete Digital ao seu microfone.');
}
}
2022-05-30 16:06:28 +01:00
else {
2022-04-07 15:22:25 +01:00
this.toastService._badRequest('Este dispositivo não tem capacidade para gravação de áudio!');
2022-03-14 17:11:00 +01:00
}
}
stopRecording() {
2022-03-18 11:45:38 +01:00
this.deleteRecording();
2022-03-14 17:11:00 +01:00
this.allowTyping = false;
2022-03-14 17:11:00 +01:00
if (!this.recording) {
return;
}
this.recording = false;
VoiceRecorder.stopRecording().then(async (result: RecordingData) => {
2022-03-14 17:11:00 +01:00
this.recording = false;
if (result.value && result.value.recordDataBase64) {
const recordData = result.value.recordDataBase64;
2022-04-18 15:27:16 +01:00
//
2022-03-18 16:43:15 +01:00
const fileName = new Date().getTime() + ".mp3";
2022-03-18 11:45:38 +01:00
//Save file
2022-03-31 11:56:49 +01:00
this.storage.set('fileName', fileName);
this.storage.set('recordData', result).then(() => {
2022-03-14 17:11:00 +01:00
})
}
})
setTimeout(async () => {
this.loadFiles();
2022-03-18 11:45:38 +01:00
}, 1000);
2022-03-14 17:11:00 +01:00
}
2022-03-31 11:56:49 +01:00
async deleteRecording() {
2022-03-18 11:45:38 +01:00
this.storage.remove('fileName');
this.storage.remove('recordData');
2022-03-14 17:11:00 +01:00
this.allowTyping = true;
this.lastAudioRecorded = '';
this.loadFiles();
}
2021-08-23 16:31:06 +01:00
ngOnDestroy() {
this.checktimeOut = false;
window.removeEventListener('scroll', this.scrollChangeCallback, true);
2021-07-26 09:44:11 +01:00
}
2021-07-23 14:43:51 +01:00
2021-12-16 16:36:39 +01:00
openBookMeetingComponent() {
2021-08-20 11:58:28 +01:00
let data = {
roomId: this.roomId,
2024-06-05 11:55:38 +01:00
members: []
2021-08-20 11:58:28 +01:00
}
this.openNewEventPage.emit(data);
}
2021-12-16 16:36:39 +01:00
showDateDuration(start: any) {
2021-09-06 16:53:58 +01:00
return this.timeService.showDateDuration(start);
}
2022-08-03 16:31:03 +01:00
async goToEvent(event: any) {
let classs;
if (window.innerWidth < 701) {
classs = 'modal modal-desktop'
} else {
classs = 'modal modal-desktop showAsideOptions'
}
const modal = await this.modalController.create({
component: ViewEventPage,
componentProps: {
2022-08-03 16:31:03 +01:00
eventId: event.id,
CalendarId: event.calendarId
},
cssClass: classs,
});
2023-07-15 11:01:09 +01:00
modal.onDidDismiss().then((res) => {
});
2023-07-15 11:01:09 +01:00
await modal.present();
}
2021-03-04 18:49:50 +01:00
sendMessage() {
2024-06-05 10:28:38 +01:00
2024-06-05 12:06:36 +01:00
const data: MessageInputDTO = {
roomId: this.roomId,
senderId: SessionStore.user.UserId,
2024-06-05 15:35:38 +01:00
message: this.textField,
2024-06-05 12:06:36 +01:00
messageType: 0,
canEdit: false,
oneShot:false,
requireUnlock: false,
}
2024-06-05 10:28:38 +01:00
2024-06-05 12:06:36 +01:00
this.messageRepositoryService.sendMessage(data)
2024-06-13 12:11:17 +01:00
this.textField = ''
2021-03-04 18:49:50 +01:00
}
2021-07-23 14:43:51 +01:00
2022-03-18 16:29:10 +01:00
2022-03-14 17:11:00 +01:00
async sendAudio(fileName) {
2022-03-18 16:29:10 +01:00
const roomId = this.roomId
2022-03-18 16:43:15 +01:00
let audioFile;
2023-06-29 16:04:44 +01:00
this.storage.get('recordData').then(async (recordData) => {
2022-03-18 16:43:15 +01:00
audioFile = recordData;
2022-03-31 16:48:53 +01:00
2022-04-18 15:24:01 +01:00
if (recordData?.value?.recordDataBase64?.includes('data:audio')) {
2022-03-18 16:29:10 +01:00
this.audioRecorded = recordData.value.recordDataBase64;
}
else {
2022-03-24 17:40:14 +01:00
this.audioRecorded = `data:${recordData.value.mimeType};base64,${recordData?.value?.recordDataBase64}`;
2022-03-18 16:29:10 +01:00
}
//Converting base64 to blob
const encodedData = btoa(this.audioRecorded);
2023-06-29 16:04:44 +01:00
const blob = this.fileService.base64toBlob(encodedData, recordData.value.mimeType)
const formData = new FormData();
formData.append("blobFile", blob);
2022-03-18 16:29:10 +01:00
2024-06-10 17:04:04 +01:00
// this.ChatSystemService.getDmRoom(roomId).send({
// file: {
// "type": "application/audio",
// "msDuration": audioFile.value.msDuration,
// "mimeType": audioFile.value.mimeType,
// },
// attachments: [{
// "title": fileName,
// "title_link_download": true,
// "type": "audio"
// }],
// temporaryData: formData,
// attachmentsModelData: {
// fileBase64: encodedData,
// }
// })
2022-03-18 16:29:10 +01:00
});
2022-03-18 16:29:10 +01:00
this.deleteRecording();
2021-09-28 15:23:51 +01:00
}
2021-12-16 16:36:39 +01:00
async openViewDocumentModal(file: any) {
2021-10-09 20:24:34 +01:00
let task = {
serialNumber: '',
taskStartDate: '',
isEvent: true,
workflowInstanceDataFields: {
FolderID: '',
Subject: file.Assunto,
SourceSecFsID: file.ApplicationId,
SourceType: 'DOC',
SourceID: file.DocId,
DispatchNumber: ''
}
}
let doc = {
2021-12-16 16:36:39 +01:00
"Id": "",
"ParentId": "",
"Source": 1,
"ApplicationId": file.ApplicationId,
"CreateDate": "",
"Data": null,
"Description": "",
"Link": null,
"SourceId": file.DocId,
"SourceName": file.Assunto,
"Stakeholders": "",
2021-10-09 20:24:34 +01:00
}
const modal = await this.modalController.create({
component: ViewDocumentPage,
componentProps: {
2021-10-09 20:24:34 +01:00
trustedUrl: '',
file: {
title: file.Assunto,
url: '',
title_link: '',
},
Document: doc,
applicationId: file.ApplicationId,
docId: file.DocId,
folderId: '',
task: task
},
2021-10-09 20:24:34 +01:00
cssClass: 'modal modal-desktop'
});
await modal.present();
}
2021-08-24 14:07:27 +01:00
getChatMembers() {
//
2021-07-23 14:43:51 +01:00
2022-09-30 13:12:16 +01:00
// this.showLoader = true;
// this.chatService.getMembers(this.roomId).subscribe(res => {
// this.members = res['members'];
// this.dmUsers = res['members'].filter(data => data.username != this.sessionStore.user.UserName)
// this.showLoader = false;
// });
2024-06-10 17:04:04 +01:00
// this.dmUsers = this.ChatSystemService.getDmRoom(this.roomId).membersExcludeMe
2021-03-04 18:49:50 +01:00
}
async openMessagesOptions(ev: any) {
const popover = await this.popoverController.create({
component: MessagesOptionsPage,
componentProps: {
roomId: this.dm._id,
},
cssClass: 'messages-options',
event: ev,
translucent: true,
});
return await popover.present();
}
2021-12-16 16:36:39 +01:00
async addContacts() {
2021-03-04 18:49:50 +01:00
const modal = await this.modalController.create({
component: ContactsPage,
2021-07-23 14:43:51 +01:00
componentProps: {},
2021-03-04 18:49:50 +01:00
cssClass: 'contacts',
backdropDismiss: false
});
2023-07-15 11:01:09 +01:00
2021-03-04 18:49:50 +01:00
modal.onDidDismiss();
2023-07-15 11:01:09 +01:00
await modal.present();
2021-03-04 18:49:50 +01:00
}
2021-12-16 16:36:39 +01:00
openSendMessageOptions(ev?: any) {
if (window.innerWidth < 701) {
this.openChatOptions(ev);
}
2021-12-16 16:36:39 +01:00
else {
this._openChatOptions();
}
}
2021-03-04 18:49:50 +01:00
async openChatOptions(ev: any) {
const popover = await this.popoverController.create({
component: ChatOptionsPopoverPage,
cssClass: 'chat-options-popover',
event: ev,
translucent: true
});
return await popover.present();
}
2021-03-18 09:25:59 +01:00
async _openMessagesOptions() {
const enterAnimation = (baseEl: any) => {
const backdropAnimation = this.animationController.create()
.addElement(baseEl.querySelector('ion-backdrop')!)
.fromTo('opacity', '0.01', 'var(--backdrop-opacity)');
const wrapperAnimation = this.animationController.create()
.addElement(baseEl.querySelector('.modal-wrapper')!)
.keyframes([
{ offset: 0, opacity: '1', right: '-100%' },
{ offset: 1, opacity: '1', right: '0px' }
]);
return this.animationController.create()
.addElement(baseEl)
.easing('ease-out')
.duration(500)
.addAnimation([backdropAnimation, wrapperAnimation]);
}
const leaveAnimation = (baseEl: any) => {
return enterAnimation(baseEl).direction('reverse');
}
2021-07-23 14:43:51 +01:00
2021-03-18 09:25:59 +01:00
const modal = await this.modalController.create({
enterAnimation,
leaveAnimation,
2024-06-10 16:34:43 +01:00
component: ChatPopoverPage,
cssClass: 'model search-submodal chat-option-aside',
2021-03-18 09:25:59 +01:00
componentProps: {
roomId: this.roomId,
2024-06-10 16:34:43 +01:00
members: [],
isAdmin: this.isAdmin
2021-03-18 09:25:59 +01:00
}
});
2024-06-10 16:34:43 +01:00
await modal.present();
modal.onDidDismiss().then(res => {
if (res.data == 'leave') {
this.getRoomInfo();
this.closeAllDesktopComponents.emit();
this.showEmptyContainer.emit();
2024-06-10 17:04:04 +01:00
// this.ChatSystemService.hidingRoom(this.roomId).catch((error) => console.error(error));
2024-06-10 16:34:43 +01:00
}
else if (res.data == 'delete') {
this.closeAllDesktopComponents.emit();
this.showEmptyContainer.emit();
}
else if (res.data == 'cancel') {
}
else if (res.data == 'edit') {
//this.closeAllDesktopComponents.emit();
this.openEditGroupPage.emit(this.roomId);
} else if (res.data == 'addUser') {
this.openGroupContactsPage();
}
else {}
});
}
openGroupContactsPage() {
this.openGroupContacts.emit(this.roomId);
2021-03-18 09:25:59 +01:00
}
2021-07-23 14:43:51 +01:00
2022-09-28 21:05:28 +01:00
dataURItoBlob(dataURI) {
// convert base64 to raw binary data held in a string
// doesn't handle URLEncoded DataURIs - see SO answer #6850276 for code that does this
var byteString = atob(dataURI.split(',')[1]);
2023-09-06 21:23:21 +01:00
2022-09-28 21:05:28 +01:00
// separate out the mime component
var mimeString = dataURI.split(',')[0].split(':')[1].split(';')[0]
2023-09-06 21:23:21 +01:00
2022-09-28 21:05:28 +01:00
// write the bytes of the string to an ArrayBuffer
var ab = new ArrayBuffer(byteString.length);
2023-09-06 21:23:21 +01:00
2022-09-28 21:05:28 +01:00
// create a view into the buffer
var ia = new Uint8Array(ab);
2023-09-06 21:23:21 +01:00
2022-09-28 21:05:28 +01:00
// set the bytes of the buffer to the correct values
for (var i = 0; i < byteString.length; i++) {
2023-09-06 21:23:21 +01:00
ia[i] = byteString.charCodeAt(i);
2022-09-28 21:05:28 +01:00
}
2023-09-06 21:23:21 +01:00
2022-09-28 21:05:28 +01:00
// write the ArrayBuffer to a blob, and you're done
2023-09-06 21:23:21 +01:00
var blob = new Blob([ab], { type: mimeString });
2022-09-28 21:05:28 +01:00
return blob;
2023-09-06 21:23:21 +01:00
2022-09-28 21:05:28 +01:00
}
2022-02-09 13:59:41 +01:00
async takePictureMobile() {
2022-05-27 13:36:37 +01:00
2022-09-28 21:05:28 +01:00
2022-02-09 13:59:41 +01:00
const roomId = this.roomId
const file = await Camera.getPhoto({
quality: 90,
// allowEditing: true,
resultType: CameraResultType.Base64,
source: CameraSource.Camera
});
2023-11-14 12:04:31 +01:00
console.log('Selected: ', file)
2023-09-06 21:23:21 +01:00
var base64 = 'data:image/jpeg;base64,' + file.base64String
const compressedImage = await this.compressImageBase64(
base64,
800, // maxWidth
800, // maxHeight
0.9 // quality
).then((picture) => {
2023-11-14 12:04:31 +01:00
base64 = picture
});
2023-06-29 16:04:44 +01:00
const blob = this.dataURItoBlob(base64)
2022-02-09 13:59:41 +01:00
const formData = new FormData();
formData.append("blobFile", blob);
2022-02-11 15:08:27 +01:00
2024-06-10 17:04:04 +01:00
// this.ChatSystemService.getDmRoom(roomId).send({
// file: {
// "type": "application/img",
// "guid": '',
// },
// temporaryData: formData,
// attachments: [{
// "title": file.path,
// // "image_url": "",
// //"image_url": 'data:image/jpeg;base64,' + file.base64String,
// "text": "description",
// "title_link_download": false,
// }],
// attachmentsModelData: {
// fileBase64: base64,
// }
// })
2022-02-09 13:59:41 +01:00
}
2022-02-03 21:01:53 +01:00
async takePicture() {
2022-09-28 21:05:28 +01:00
2021-10-07 15:30:36 +01:00
const roomId = this.roomId
2022-02-11 15:08:27 +01:00
2023-08-28 13:00:51 +01:00
const file = await Camera.getPhoto({
quality: 90,
// allowEditing: true,
resultType: CameraResultType.Base64,
source: CameraSource.Camera
});
2024-03-18 12:59:41 +01:00
console.log('FILE CHAT', file)
2023-08-28 13:00:51 +01:00
const imageBase64 = 'data:image/jpeg;base64,' + file.base64String
const blob = this.dataURItoBlob(imageBase64)
console.log(imageBase64)
2022-02-07 17:55:00 +01:00
const formData = new FormData();
formData.append("blobFile", blob);
2022-02-03 21:01:53 +01:00
2024-06-10 17:04:04 +01:00
// this.ChatSystemService.getDmRoom(roomId).send({
// file: {
// "type": "application/img",
// "guid": ''
// },
// temporaryData: formData,
// attachments: [{
// "title": "file.jpg",
// "text": "description",
// "title_link_download": false,
// }],
// attachmentsModelData: {
// fileBase64: imageBase64,
// }
// })
2022-02-04 00:22:35 +01:00
}
2022-02-11 15:08:27 +01:00
2022-02-03 21:01:53 +01:00
async addImage() {
2022-02-09 13:59:41 +01:00
this.addFileToChatMobile(['image/apng', 'image/jpeg', 'image/png'])
}
2022-02-11 15:08:27 +01:00
2022-02-03 21:01:53 +01:00
async addFile() {
this.addFileToChat(['.doc', '.docx', '.pdf'])
}
2022-02-03 21:01:53 +01:00
async addFileWebtrix() {
const modal = await this.modalController.create({
component: SearchPage,
cssClass: 'group-messages modal-desktop search-modal search-modal-to-desktop',
componentProps: {
type: 'AccoesPresidenciais & ArquivoDespachoElect',
select: true,
showSearchInput: true,
}
});
2023-07-15 11:01:09 +01:00
2022-03-03 08:21:22 +01:00
modal.onDidDismiss().then(async res => {
2022-02-03 21:01:53 +01:00
const data = res.data;
2022-02-04 08:11:49 +01:00
const roomId = this.roomId
2022-02-03 21:01:53 +01:00
2022-03-03 08:21:22 +01:00
if (data.selected) {
2022-02-03 21:01:53 +01:00
2024-06-10 17:04:04 +01:00
// this.ChatSystemService.getDmRoom(roomId).send({
// file: {
// "name": res.data.selected.Assunto,
// "type": "application/webtrix",
// "ApplicationId": res.data.selected.ApplicationType,
// "DocId": res.data.selected.Id,
// "Assunto": res.data.selected.Assunto,
// },
// temporaryData: res,
// attachments: [{
// "title": res.data.selected.Assunto,
// "description": res.data.selected.DocTypeDesc,
// "title_link_download": true,
// "type": "webtrix",
// "text": res.data.selected.DocTypeDesc,
// "thumb_url": "https://static.ichimura.ed.jp/uploads/2017/10/pdf-icon.png",
// }],
// })
2022-02-04 00:22:35 +01:00
2022-02-03 21:01:53 +01:00
}
});
2023-07-15 11:01:09 +01:00
await modal.present();
}
2022-02-03 21:01:53 +01:00
2022-03-03 08:21:22 +01:00
async addFileToChatMobile(types: typeof FileType[]) {
2022-02-09 13:59:41 +01:00
const roomId = this.roomId
const file = await Camera.getPhoto({
quality: 90,
// allowEditing: true,
resultType: CameraResultType.Base64,
source: CameraSource.Photos
});
2022-02-09 13:59:41 +01:00
//const imageData = await this.fileToBase64Service.convert(file)
2022-04-28 09:32:27 +01:00
//
2023-11-14 12:04:31 +01:00
console.log('Selected: ', file)
2023-09-06 21:23:21 +01:00
var base64 = 'data:image/jpeg;base64,' + file.base64String
2023-11-14 12:04:31 +01:00
if (file.format == "jpeg" || file.format == "png" || file.format == "gif") {
2023-09-06 21:23:21 +01:00
2023-11-14 12:04:31 +01:00
const compressedImage = await this.compressImageBase64(
base64,
800, // maxWidth
800, // maxHeight
0.9 // quality
).then((picture) => {
2022-02-09 13:59:41 +01:00
2023-11-14 12:04:31 +01:00
base64 = picture
});
2023-08-28 13:00:51 +01:00
2023-11-14 12:04:31 +01:00
const response = await fetch(base64);
const blob = await response.blob();
console.log(base64)
const formData = new FormData();
formData.append("blobFile", blob);
2024-06-10 17:04:04 +01:00
// this.ChatSystemService.getDmRoom(roomId).send({
// file: {
// "type": "application/img",
// "guid": ''
// },
// temporaryData: formData,
// attachments: [{
// "title": file.path,
// //"image_url": 'data:image/jpeg;base64,' + file.base64String,
// "text": "description",
// "title_link_download": false,
// }],
// attachmentsModelData: {
// fileBase64: base64,
// }
// })
2023-11-14 12:04:31 +01:00
}
2022-02-11 15:08:27 +01:00
2022-02-09 13:59:41 +01:00
}
2022-02-03 21:01:53 +01:00
2024-07-26 16:54:32 +01:00
deleteMessage() {}
2022-02-04 00:22:35 +01:00
2022-03-03 08:21:22 +01:00
async addFileToChat(types: typeof FileType[]) {
2022-02-11 15:08:27 +01:00
2023-09-06 21:23:21 +01:00
2022-02-04 08:11:49 +01:00
const roomId = this.roomId
2022-02-07 13:41:27 +01:00
const file: any = await this.fileService.getFileFromDevice(types);
2023-11-14 12:04:31 +01:00
if (file.type == 'application/pdf' || file.type == 'application/doc' || file.type == 'application/docx' ||
file.type == 'application/xls' || file.type == 'application/xlsx' || file.type == 'application/ppt' ||
file.type == 'application/pptx' || file.type == 'application/txt') {
2024-03-18 11:13:34 +01:00
console.log('FILE rigth?', file)
2023-08-28 13:00:51 +01:00
2023-11-14 12:04:31 +01:00
const fileName = file.name
2023-11-14 12:04:31 +01:00
const validation = this.FileValidatorService.fileNameValidation(fileName)
2023-11-14 12:04:31 +01:00
if (validation.isOk) {
2023-09-06 21:23:21 +01:00
2023-11-14 12:04:31 +01:00
const encodedData = btoa(JSON.stringify(await this.getBase64(file).catch((error) => {
console.error(error);
})));
2023-09-06 21:23:21 +01:00
2023-11-14 12:04:31 +01:00
let blob;
let formData
let fileBase64
if (this.platform.is("tablet")) {
2023-09-06 21:23:21 +01:00
2023-11-14 12:04:31 +01:00
blob = this.fileService.base64toBlob(encodedData, file.type)
console.log('BLOB BLOB', blob)
2023-09-06 21:23:21 +01:00
2023-11-14 12:04:31 +01:00
formData = new FormData();
formData.append('blobFile', file);
2023-11-14 12:04:31 +01:00
/* console.log('add file', fileBase64) */
2023-09-06 21:23:21 +01:00
2023-11-14 12:04:31 +01:00
} else {
2024-03-18 12:59:41 +01:00
console.log('encode data', encodedData)
2023-11-14 12:04:31 +01:00
blob = this.fileService.base64toBlob(encodedData, file.type)
2023-09-06 21:23:21 +01:00
2023-11-14 12:04:31 +01:00
fileBase64 = await this._getBase64(file)
2023-11-14 12:04:31 +01:00
formData = new FormData();
2024-03-18 11:13:34 +01:00
formData.append('blobFile', file);
2023-11-14 12:04:31 +01:00
}
2023-08-28 13:00:51 +01:00
2022-02-11 15:08:27 +01:00
2022-02-04 00:22:35 +01:00
2022-02-07 20:35:52 +01:00
2024-06-10 17:04:04 +01:00
// this.ChatSystemService.getDmRoom(roomId).send({
// file: {
// "type": file.type,
// "guid": '',
// },
// attachments: [{
// "title": file.name,
// "name": file.name,
// //"image_url": res,
// // "text": "description",
// "title_link_download": false,
// }],
// temporaryData: formData,
// attachmentsModelData: {
// fileBase64: fileBase64,
// }
// })
2023-11-14 12:04:31 +01:00
} else {
this.toastService._badRequest("Ficheiro inválido")
}
}
}
2022-02-11 15:08:27 +01:00
2023-08-28 13:00:51 +01:00
_getBase64(file) {
2023-09-06 21:23:21 +01:00
return new Promise((resolve, reject) => {
2023-08-28 13:00:51 +01:00
var reader = new FileReader();
reader.readAsDataURL(file);
reader.onload = function () {
resolve(reader.result)
};
reader.onerror = function (error) {
console.log('Error: ', error);
};
})
2023-09-06 21:23:21 +01:00
}
getFileReader(): FileReader {
const fileReader = new FileReader();
const zoneOriginalInstance = (fileReader as any)["__zone_symbol__originalInstance"];
return zoneOriginalInstance || fileReader;
}
getBase64(file) {
var reader = this.getFileReader();
reader.readAsDataURL(file);
2022-02-25 15:10:10 +01:00
return new Promise(resolve => {
reader.onload = function () {
resolve(reader.result)
};
reader.onerror = function (error) {
2022-02-25 15:10:10 +01:00
};
});
}
2022-02-25 15:10:10 +01:00
2022-02-03 21:01:53 +01:00
2021-12-16 16:36:39 +01:00
bookMeeting() {
let data = {
roomId: this.roomId,
2024-06-05 11:55:38 +01:00
members: []
}
this.openNewEventPage.emit(data);
}
2022-02-04 00:22:35 +01:00
chatsend() {
2022-02-03 21:01:53 +01:00
}
async _openChatOptions() {
2022-02-03 21:01:53 +01:00
const roomId = this.roomId;
const enterAnimation = (baseEl: any) => {
const backdropAnimation = this.animationController.create()
.addElement(baseEl.querySelector('ion-backdrop')!)
.fromTo('opacity', '0.01', 'var(--backdrop-opacity)');
const wrapperAnimation = this.animationController.create()
.addElement(baseEl.querySelector('.modal-wrapper')!)
.keyframes([
{ offset: 0, opacity: '1', right: '-100%' },
{ offset: 1, opacity: '1', right: '0px' }
]);
return this.animationController.create()
.addElement(baseEl)
.easing('ease-out')
.duration(500)
.addAnimation([backdropAnimation, wrapperAnimation]);
}
const leaveAnimation = (baseEl: any) => {
return enterAnimation(baseEl).direction('reverse');
}
2021-07-23 14:43:51 +01:00
const modal = await this.modalController.create({
enterAnimation,
leaveAnimation,
2021-08-18 18:58:02 +01:00
component: ChatOptionsFeaturesPage,
cssClass: 'model profile-modal search-submodal',
componentProps: {
roomId: this.roomId,
2024-06-05 11:55:38 +01:00
members: [],
}
});
2023-07-15 11:01:09 +01:00
2022-03-03 08:21:22 +01:00
modal.onDidDismiss().then(async (res) => {
2022-02-11 15:08:27 +01:00
2022-02-03 21:01:53 +01:00
2021-12-16 16:36:39 +01:00
if (res['data'] == 'meeting') {
2021-08-20 11:58:28 +01:00
//this.closeAllDesktopComponents.emit();
let data = {
roomId: this.roomId,
2024-06-05 11:55:38 +01:00
members: []
2021-08-20 11:58:28 +01:00
}
this.openNewEventPage.emit(data);
}
2021-12-16 16:36:39 +01:00
else if (res['data'] == 'take-picture') {
2022-02-03 21:01:53 +01:00
2022-02-09 13:59:41 +01:00
this.takePictureMobile()
2022-02-03 21:01:53 +01:00
2021-09-23 12:13:20 +01:00
}
2021-12-16 16:36:39 +01:00
else if (res['data'] == 'add-picture') {
2022-02-03 21:01:53 +01:00
this.addImage()
2021-09-21 14:05:59 +01:00
}
2021-12-16 16:36:39 +01:00
else if (res['data'] == 'add-document') {
2022-02-03 21:01:53 +01:00
this.addFile()
2021-09-21 14:05:59 +01:00
}
2021-12-16 16:36:39 +01:00
else if (res['data'] == 'documentoGestaoDocumental') {
2021-09-21 14:05:59 +01:00
2022-02-03 21:01:53 +01:00
this.addFileWebtrix()
2022-02-11 15:08:27 +01:00
2021-09-21 14:05:59 +01:00
this.showLoader = false;
}
2021-08-20 11:58:28 +01:00
});
2023-07-15 11:01:09 +01:00
await modal.present();
2023-09-06 21:23:21 +01:00
}
2021-09-23 12:13:20 +01:00
2021-07-26 10:52:14 +01:00
2022-01-20 15:33:55 +01:00
downloadFileMsg(msg: MessageService) {
msg.downloadFileMsg()
2021-12-23 07:40:01 +01:00
}
2022-02-25 15:10:10 +01:00
pdfPreview() {
2022-02-10 19:47:16 +01:00
const options: DocumentViewerOptions = {
title: 'My App'
};
DocumentViewer.viewDocument
}
2022-03-21 13:33:57 +01:00
async audioPreview(msg) {
2022-03-21 13:33:57 +01:00
if (!msg.attachments[0].title_link || msg.attachments[0].title_link === null || msg.attachments[0].title_link === '') {
this.downloadFileMsg(msg)
2022-03-31 16:48:53 +01:00
} else { }
2022-03-21 13:33:57 +01:00
}
b64toBlob(b64Data, contentType) {
contentType = contentType || '';
var sliceSize = 512;
b64Data = b64Data.replace(/^[^,]+,/, '');
b64Data = b64Data.replace(/\s/g, '');
var byteCharacters = window.atob(b64Data);
var byteArrays = [];
for (var offset = 0; offset < byteCharacters.length; offset += sliceSize) {
var slice = byteCharacters.slice(offset, offset + sliceSize);
var byteNumbers = new Array(slice.length);
for (var i = 0; i < slice.length; i++) {
byteNumbers[i] = slice.charCodeAt(i);
}
2022-01-20 15:33:55 +01:00
var byteArray = new Uint8Array(byteNumbers);
2022-01-20 14:31:49 +01:00
byteArrays.push(byteArray);
}
2022-03-31 11:56:49 +01:00
var blob = new Blob(byteArrays, { type: contentType });
return blob;
}
2022-03-31 11:56:49 +01:00
downloadFileFromBrowser(fileName: string, data: any): void {
2024-03-18 12:59:41 +01:00
const link = document.createElement("a")
link.href = `data:${data.type}';base64,${data.image_url}`;
link.download = fileName
link.click()
link.remove()
}
2022-03-31 11:56:49 +01:00
viewDocument(file: any, url?: string) {
if (file.type == "application/webtrix") {
this.openViewDocumentModal(file);
}
else {
let fullUrl = "https://www.tabularium.pt" + url;
this.fileService.viewDocumentByUrl(fullUrl);
}
}
2022-02-25 15:10:10 +01:00
openFile(pdfString, filename, type) {
const blob = this.b64toBlob(pdfString, type)
let pathFile = ''
const fileName = filename
const contentFile = blob
if (this.platform.is('ios')) {
pathFile = this.file.documentsDirectory
} else {
pathFile = this.file.externalRootDirectory
}
this.file
.writeFile(pathFile, fileName, contentFile, { replace: true })
.then(success => {
this.fileOpener
.open(pathFile + fileName, type)
.then(() => { })
2022-04-28 09:32:27 +01:00
.catch(e => console.error(e))
})
2022-04-28 09:32:27 +01:00
.catch(e => console.error(e))
}
async openPreview(msg) {
2022-03-31 11:56:49 +01:00
if (msg.file.type === "application/webtrix") {
this.viewDocument(msg.file, msg.attachments.image_url)
} else {
if (!msg.attachments[0].image_url || msg.attachments[0].image_url === null || msg.attachments[0].image_url === '') {
this.downloadFileMsg(msg)
2022-04-07 15:22:25 +01:00
} else {
2023-09-06 21:23:21 +01:00
2023-03-28 16:11:59 +01:00
var str = msg.attachments[0].image_url
str = str.substring(1, ((str.length) - 1));
2022-04-07 15:22:25 +01:00
if (this.platform.is('desktop') || this.platform.is('mobileweb')) {
2022-04-07 15:22:25 +01:00
if (msg.file.type == "application/img") {
const modal = await this.modalController.create({
component: ViewMediaPage,
cssClass: 'modal modal-desktop',
componentProps: {
image: msg.attachments[0].image_url,
type: msg.file.type,
username: msg.u.name,
_updatedAt: msg._updatedAt
}
});
modal.present();
} else {
2024-03-18 12:59:41 +01:00
this.downloadFileFromBrowser(msg.attachments[0].title, msg.attachments[0],)
}
} else {
2024-03-18 11:13:34 +01:00
this.openFile(msg.attachments[0].image_url, msg.attachments[0].title, msg.file.type);
2023-03-28 16:11:59 +01:00
// this.downloadFileFromBrowser("file", str)
}
}
2021-12-23 07:40:01 +01:00
}
2022-01-05 21:27:26 +01:00
2021-11-22 13:53:37 +01:00
}
2022-02-16 15:52:59 +01:00
2022-06-29 11:42:31 +01:00
start(track) {
if (this.audioPlay) {
2022-06-29 11:42:31 +01:00
this.audioPlay.stop();
}
this.audioPlay = new Howl({
src: [track.changingThisBreaksApplicationSecurity],
onplay: () => {
this.isPlaying = true;
this.updateProgress()
},
onend: () => {
this.isPlaying = false;
clearTimeout(this.audioTimer)
this.audioProgress = 0
2022-06-29 11:42:31 +01:00
},
})
this.audioPlay.play();
}
togglePlayer(pause) {
this.isPlaying = !pause;
if (pause) {
2022-06-29 11:42:31 +01:00
this.audioPlay.pause();
} else {
this.audioPlay.play();
}
}
2022-06-29 11:42:31 +01:00
seek() {
let newValue = +this.range.value;
let duration = this.audioPlay.duration();
this.audioPlay.seek(duration * (newValue / 100));
}
updateProgress() {
let seek = this.audioPlay.seek();
this.audioProgress = (seek / this.audioPlay.duration()) * 100 || 0;
this.audioTimer = setTimeout(() => {
this.updateProgress()
}, 1000)
2022-06-29 11:42:31 +01:00
}
2022-07-06 17:50:42 +01:00
async getRoomInfo() {
2024-06-10 17:04:04 +01:00
// let room = await this.chatService.getRoomInfo(this.roomId).toPromise();
// this.room = room['room'];
// if (this.room.name) {
// try {
// this.roomName = this.room.name.split('-').join(' ');
// } catch (error) {
// this.roomName = this.room.name;
// }
// }
// if (SessionStore.user.ChatData.data.userId == this.room.u._id) {
// this.isAdmin = true
// } else {
// this.isAdmin = false
// }
// if (this.room.customFields.countDownDate) {
// this.roomCountDownDate = this.room.customFields.countDownDate;
// }
2022-07-06 17:50:42 +01:00
}
2022-06-29 11:42:31 +01:00
async compressImageBase64(base64String: string, maxWidth: number, maxHeight: number, quality: number): Promise<string> {
return new Promise((resolve, reject) => {
const image = new (window as any).Image();
image.src = base64String;
2023-09-06 21:23:21 +01:00
image.onload = async () => {
const canvas = document.createElement('canvas');
let newWidth = image.width;
let newHeight = image.height;
2023-09-06 21:23:21 +01:00
if (newWidth > maxWidth) {
newHeight *= maxWidth / newWidth;
newWidth = maxWidth;
}
2023-09-06 21:23:21 +01:00
if (newHeight > maxHeight) {
newWidth *= maxHeight / newHeight;
newHeight = maxHeight;
}
2023-09-06 21:23:21 +01:00
canvas.width = newWidth;
canvas.height = newHeight;
2023-09-06 21:23:21 +01:00
const context = canvas.getContext('2d');
context?.drawImage(image, 0, 0, newWidth, newHeight);
2023-09-06 21:23:21 +01:00
const compressedBase64 = canvas.toDataURL('image/jpeg', quality);
resolve(compressedBase64);
};
2023-09-06 21:23:21 +01:00
image.onerror = (error) => {
reject(error);
};
});
}
2021-03-04 18:49:50 +01:00
}
2021-03-12 11:56:54 +01:00
2021-11-22 13:53:37 +01:00