Proyectos de Subversion LeadersLinked - Antes de SPA

Rev

| Ultima modificación | Ver Log |

Rev Autor Línea Nro. Línea
4119 stevensc 1
/* eslint-disable react/prop-types */
3101 stevensc 2
import React from "react";
1 www 3
import { useState, useEffect } from "react";
976 stevensc 4
import { axios } from "../../utils";
2739 stevensc 5
import { FiMaximize2 } from 'react-icons/fi'
4860 stevensc 6
import AddIcon from '@mui/icons-material/Add'
1 www 7
 
5033 stevensc 8
// Components
9
import NotificationAlert from "../../shared/notification/NotificationAlert";
10
import PersonalChat from "./personal-chat/PersonalChat";
11
import ContactsModal from "./components/ContactsModal";
12
import ContactsList from "./components/ContactsList";
13
 
1 www 14
const notifyAudio = new Audio("/audio/chat.mp3");
15
 
16
const Chat = (props) => {
5033 stevensc 17
  const { defaultNetwork } = props
18
 
1 www 19
  // states
20
  const [contacts, setContacts] = useState([]);
21
  const [groups, setGroups] = useState([]);
22
  const [activeChats, setActiveChats] = useState([]);
5033 stevensc 23
 
1 www 24
  const [isChatOpen, setIsChatOpen] = useState(false);
25
  const [isMuted, setIsMuted] = useState(false);
4866 stevensc 26
  const [showModal, setShowModal] = useState(false);
5033 stevensc 27
  const [loading, setLoading] = useState(false);
28
 
1 www 29
  const [activeTab, setActiveTab] = useState("user");
976 stevensc 30
  const [search, setSearch] = useState('');
4868 stevensc 31
  const [pendingConversation, setPendingConversation] = useState('')
5027 stevensc 32
 
976 stevensc 33
 
994 stevensc 34
  const filtredContacts = contacts.filter(({ name }) => name.toLowerCase().includes(search.toLowerCase()))
35
  const filtredGroups = groups.filter(({ name }) => name.toLowerCase().includes(search.toLowerCase()))
976 stevensc 36
 
5033 stevensc 37
 
976 stevensc 38
  const handleEntities = entities => {
687 steven 39
    let newUserContacts = [];
40
    let newGroups = [];
41
    entities.map((entity) => {
3111 stevensc 42
      if (entity.not_received_messages) handleNewMessage(entity)
43
      if (entity.not_seen_messages) handleNotSeenMessage(entity)
3119 stevensc 44
      if (entity.is_open) handleOpenConversation(entity, false);
687 steven 45
      switch (entity.type) {
46
        case "user":
47
          newUserContacts = [...newUserContacts, entity];
48
          handleUpdateOnline(entity);
49
          break;
50
        case "group":
51
          newGroups = [...newGroups, entity];
52
          break;
53
        default:
54
          break;
55
      }
56
    });
57
    setContacts(newUserContacts);
58
    setGroups(newGroups);
59
  }
2790 stevensc 60
 
687 steven 61
  const heartBeat = async () => {
689 steven 62
    try {
3119 stevensc 63
      const { data } = await axios.get("/chat/heart-beat")
64
      if (data.success) {
65
        handleEntities(data.data)
1 www 66
      }
3119 stevensc 67
      return data.data;
689 steven 68
    } catch (error) {
976 stevensc 69
      console.log('>>: chat error > ', error)
689 steven 70
    }
687 steven 71
  };
1 www 72
 
73
  const handleUpdateOnline = (entity) => {
74
    const existingChatId = activeChats.findIndex(
75
      (activeChat) => activeChat.id === entity.id
76
    );
77
    if (existingChatId >= 0) {
78
      if (activeChats[existingChatId].online !== entity.online) {
79
        const newActiveChats = [...activeChats];
80
        newActiveChats[existingChatId].online = entity.online;
81
        setActiveChats(newActiveChats);
82
      }
83
    }
84
  };
85
 
86
  const handleNewMessage = async (unseeEntity) => {
3596 stevensc 87
    await axios.post(unseeEntity.url_mark_received)
1 www 88
    if (!activeChats.some((activeChat) => activeChat.id === unseeEntity.id)) {
89
      setActiveChats([...activeChats, { ...unseeEntity, minimized: false }]);
90
      playNotifyAudio();
91
    } else {
92
      const existingChatId = activeChats.findIndex(
93
        (activeChat) => activeChat.id === unseeEntity.id
94
      );
95
      if (!activeChats[existingChatId].unsee_messages) {
96
        const newActiveChats = [...activeChats];
97
        newActiveChats[existingChatId].unsee_messages = true;
98
        setActiveChats(newActiveChats);
99
        playNotifyAudio(newActiveChats[existingChatId].minimized);
100
      }
101
    }
102
  };
103
 
3122 stevensc 104
  const handleCloseConversation = async (entity) => {
3127 stevensc 105
    const { data } = await axios.post(entity.url_close)
106
    if (!data.success) console.log('Error in entity close')
107
    setActiveChats(activeChats.filter(prevActiveChats => prevActiveChats.id !== entity.id))
3122 stevensc 108
  }
109
 
110
  const handleOpenConversation = async (entity, minimized = false) => {
3129 stevensc 111
    if (activeChats.length < 3 && !activeChats.some((el) => el.id === entity.id)) {
112
      setActiveChats([...activeChats, { ...entity, minimized: minimized }]);
3127 stevensc 113
    }
3129 stevensc 114
    if (activeChats.length >= 3 && !activeChats.some((el) => el.id === entity.id)) {
115
      await handleCloseConversation(activeChats[0])
116
      setActiveChats(prevActiveChats => [...prevActiveChats, { ...entity, minimized: minimized }]);
986 stevensc 117
    }
1 www 118
  };
119
 
3122 stevensc 120
  const handleReadConversation = async (entity) => {
121
    try {
122
      const { data } = await axios.post(entity.url_mark_seen)
123
      if (!data.success) console.log('Ha ocurrido un error')
124
      setActiveChats(prevActiveChats => [...prevActiveChats].map(chat => {
125
        if (entity.id === chat.id) return { ...chat, not_seen_messages: false }
126
        return chat;
127
      }))
128
    } catch (error) {
129
      console.log(`Error: ${error}`)
1 www 130
    }
131
  };
132
 
3123 stevensc 133
  const handleMinimizeConversation = (entity, minimized = null) => {
134
    return setActiveChats(prevActiveChats => [...prevActiveChats].map(chat => {
3130 stevensc 135
      if (entity.id === chat.id) return { ...chat, minimized: minimized ?? !chat.minimized }
3123 stevensc 136
      return chat
137
    }))
138
  }
1 www 139
 
3119 stevensc 140
  const handleNotSeenMessage = (entity) => {
3111 stevensc 141
    const index = activeChats.findIndex(chat => chat.id === entity.id)
142
 
143
    if (index !== -1) {
144
      setActiveChats(prev => [...prev].map(chat => {
145
        if (chat.id === entity.id) {
146
          return {
147
            ...chat,
148
            not_seen_messages: entity.not_seen_messages
149
          }
150
        }
151
        return chat;
152
      }))
153
    }
3119 stevensc 154
 
155
  }
156
 
1 www 157
  const playNotifyAudio = (minimized = true) => {
158
    if (!isMuted && minimized) {
159
      notifyAudio.play();
160
    }
161
  };
162
 
163
  const handleMute = () => {
164
    setIsMuted(!isMuted);
165
    if (isMuted) {
166
      notifyAudio.play();
167
    }
168
  };
169
 
4858 stevensc 170
  const handleChangeTab = (tab) => setActiveTab(tab)
1 www 171
 
172
  useEffect(() => {
2548 stevensc 173
    if (!loading) {
2973 stevensc 174
      const fetchData = async () => {
2966 stevensc 175
        setLoading(true)
2973 stevensc 176
        const entities = await heartBeat() || [];
2966 stevensc 177
        setLoading(false)
2973 stevensc 178
 
179
        return entities
2966 stevensc 180
      }
181
 
2989 stevensc 182
      setTimeout(() => {
183
        fetchData()
184
      }, "2000")
691 steven 185
    }
2965 stevensc 186
  }, [loading]);
978 stevensc 187
 
1 www 188
  useEffect(() => {
4868 stevensc 189
    if (pendingConversation) {
190
      const pendingChat = contacts.find(contact => contact.url_send === pendingConversation)
4872 stevensc 191
 
192
      if (pendingChat) {
193
        handleOpenConversation(pendingChat)
194
        setPendingConversation('')
195
      }
4880 stevensc 196
 
4868 stevensc 197
    }
198
  }, [pendingConversation, contacts])
199
 
200
  useEffect(() => {
1 www 201
    emojione.imageType = "png";
202
    emojione.sprites = false;
203
    emojione.ascii = true;
204
    emojione.imagePathPNG = props.emojiOnePath;
205
  }, []);
206
 
5033 stevensc 207
  if (window.innerWidth < 1000 || window.location.pathname === '/chat') return null
208
 
209
  return (
5027 stevensc 210
    <>
5033 stevensc 211
      <div className="chat-helper">
5028 stevensc 212
        <div className="subpanel_title" onClick={(e) => (e.currentTarget === e.target) && setIsChatOpen(!isChatOpen)}>
213
          <a href="/chat" className="text-chat-title">
214
            Chat
215
            <FiMaximize2 className="ml-3" />
216
          </a>
217
          <div className="subpanel_title-icons">
218
            <i
219
              className={`icon ${isMuted ? "icon-volume-off" : "icon-volume-2"} text-20`}
220
              onClick={handleMute}
221
            />
222
            <i
223
              className={`fa ${isChatOpen ? "fa-angle-down" : "fa-angle-up"} text-20`}
224
              onClick={() => setIsChatOpen(!isChatOpen)}
225
            />
226
          </div>
227
        </div>
228
        <div
229
          id="showhidechatlist"
230
          style={{ display: isChatOpen ? "grid" : "none" }}
231
        >
232
          <div className="drupalchat_search_main chatboxinput">
233
            <input
234
              className="drupalchat_searchinput live-search-box"
235
              id="live-search-box"
236
              type="text"
237
              name='search'
238
              value={search}
239
              onChange={(e) => setSearch(e.target.value)}
240
            />
241
            <i className="searchbutton fas fa-search" />
242
          </div>
243
          {defaultNetwork !== 'y' &&
244
            <div
245
              className="d-flex align-items-center cursor-pointer"
246
              style={{ gap: '.5rem', background: '#fff' }}
247
              onClick={() => setShowModal(true)}
5027 stevensc 248
            >
5028 stevensc 249
              <AddIcon />
250
              <span>Iniciar conversación</span>
5027 stevensc 251
            </div>
5028 stevensc 252
          }
253
          <div className="drupalchat_search_main chatboxinput">
254
            <button className={activeTab === 'user' && 'active'} onClick={() => handleChangeTab("user")}>
255
              Contactos
256
            </button>
257
            <button className={activeTab === 'group' && 'active'} onClick={() => handleChangeTab("group")}>
258
              Grupos
259
            </button>
1 www 260
          </div>
5033 stevensc 261
          <ContactsList
262
            contacts={filtredContacts}
263
            groups={filtredGroups}
264
            activeTab={activeChats}
265
            selectConversation={handleOpenConversation}
266
          />
1 www 267
        </div>
268
      </div>
3133 stevensc 269
      <div className="active_chats-list">
1 www 270
        {activeChats.map((entity, index) => (
271
          <PersonalChat
3131 stevensc 272
            index={index}
1 www 273
            key={entity.id}
274
            entity={entity}
3106 stevensc 275
            not_seen_messages={entity.not_seen_messages}
3131 stevensc 276
            minimized={entity.minimized}
3122 stevensc 277
            onClose={handleCloseConversation}
3123 stevensc 278
            onMinimize={handleMinimizeConversation}
3122 stevensc 279
            onRead={handleReadConversation}
4119 stevensc 280
            timezones={props.timezones}
1 www 281
          />
282
        ))}
283
      </div>
5033 stevensc 284
      <ContactsModal
4867 stevensc 285
        show={showModal}
4869 stevensc 286
        setConversation={(url) => setPendingConversation(url)}
4866 stevensc 287
      />
1335 stevensc 288
      <NotificationAlert />
5027 stevensc 289
    </>
290
  )
4858 stevensc 291
}
1 www 292
 
293
export default Chat;