mirror of
https://github.com/cheveguerra/whaticket-community.git
synced 2026-04-17 19:37:02 +00:00
working
This commit is contained in:
1
backend/.gitignore
vendored
Normal file
1
backend/.gitignore
vendored
Normal file
@@ -0,0 +1 @@
|
||||
node_modules
|
||||
45
backend/app.js
Normal file
45
backend/app.js
Normal file
@@ -0,0 +1,45 @@
|
||||
const express = require("express");
|
||||
const cors = require("cors");
|
||||
const sequelize = require("./util/database");
|
||||
const wBot = require("./controllers/wbot");
|
||||
const Contact = require("./models/Contact");
|
||||
const wbotMessageListener = require("./controllers/wbotMessageListener");
|
||||
|
||||
const messageRoutes = require("./routes/message");
|
||||
const ContactRoutes = require("./routes/contacts");
|
||||
const AuthRoutes = require("./routes/auth");
|
||||
|
||||
const app = express();
|
||||
|
||||
app.use(cors());
|
||||
app.use(express.json());
|
||||
|
||||
app.use(messageRoutes);
|
||||
app.use(ContactRoutes);
|
||||
app.use("/auth", AuthRoutes);
|
||||
|
||||
app.use((error, req, res, next) => {
|
||||
console.log(error);
|
||||
const status = error.statusCode || 500;
|
||||
const message = error.message;
|
||||
const data = error.data;
|
||||
res.status(status).json({ message: message, data: data });
|
||||
});
|
||||
|
||||
sequelize
|
||||
.sync()
|
||||
.then(() => {
|
||||
const server = app.listen(8080);
|
||||
const io = require("./socket").init(server);
|
||||
io.on("connection", socket => {
|
||||
console.log("Cliente Connected");
|
||||
});
|
||||
|
||||
wBot.init();
|
||||
wbotMessageListener();
|
||||
|
||||
console.log("Server started");
|
||||
})
|
||||
.catch(err => {
|
||||
console.log(err);
|
||||
});
|
||||
60
backend/controllers/auth.js
Normal file
60
backend/controllers/auth.js
Normal file
@@ -0,0 +1,60 @@
|
||||
const { validationResult } = require("express-validator");
|
||||
const bcrypt = require("bcryptjs");
|
||||
const jwt = require("jsonwebtoken");
|
||||
|
||||
const User = require("../models/User");
|
||||
|
||||
exports.signup = async (req, res, next) => {
|
||||
const errors = validationResult(req);
|
||||
if (!errors.isEmpty()) {
|
||||
const error = new Error("Validation failed");
|
||||
error.statusCode = 422;
|
||||
error.data = errors.array();
|
||||
throw error;
|
||||
}
|
||||
const { name, password, email } = req.body;
|
||||
|
||||
try {
|
||||
const hashedPw = await bcrypt.hash(password, 12);
|
||||
const user = User.build({
|
||||
email: email,
|
||||
password: hashedPw,
|
||||
name: name,
|
||||
});
|
||||
const result = await user.save();
|
||||
res.status(201).json({ message: "User created!", userId: result.id });
|
||||
} catch (err) {
|
||||
next(err);
|
||||
}
|
||||
};
|
||||
|
||||
exports.login = async (req, res, next) => {
|
||||
const { email, password } = req.body;
|
||||
let loadedUser;
|
||||
|
||||
try {
|
||||
const user = await User.findOne({ where: { email: email } });
|
||||
if (!user) {
|
||||
const error = new Error("Usuário não encontrado");
|
||||
error.statusCode = 401;
|
||||
throw error;
|
||||
}
|
||||
loadedUser = user;
|
||||
const isEqual = await bcrypt.compare(password, user.password);
|
||||
if (!isEqual) {
|
||||
const error = new Error("Senha incorreta");
|
||||
error.statusCode = 401;
|
||||
throw error;
|
||||
}
|
||||
const token = jwt.sign(
|
||||
{ email: loadedUser.email, userId: loadedUser.id },
|
||||
"mysecret",
|
||||
{ expiresIn: "1h" }
|
||||
);
|
||||
return res
|
||||
.status(200)
|
||||
.json({ token: token, username: loadedUser.name, userId: loadedUser.id });
|
||||
} catch (err) {
|
||||
next(err);
|
||||
}
|
||||
};
|
||||
18
backend/controllers/contact.js
Normal file
18
backend/controllers/contact.js
Normal file
@@ -0,0 +1,18 @@
|
||||
const Contact = require("../models/Contact");
|
||||
const Message = require("../models/Message");
|
||||
// const io = require("../socket");
|
||||
|
||||
exports.getContacts = async (req, res) => {
|
||||
// const contacts = await Contact.findAll();
|
||||
const contacts = await Contact.findAll({
|
||||
include: {
|
||||
model: Message,
|
||||
where: {
|
||||
read: false,
|
||||
},
|
||||
required: false,
|
||||
},
|
||||
});
|
||||
|
||||
return res.json(contacts);
|
||||
};
|
||||
55
backend/controllers/message.js
Normal file
55
backend/controllers/message.js
Normal file
@@ -0,0 +1,55 @@
|
||||
const Message = require("../models/Message");
|
||||
const Contact = require("../models/Contact");
|
||||
const io = require("../socket");
|
||||
|
||||
const wbot = require("./wbot");
|
||||
|
||||
exports.getContactMessages = async (req, res) => {
|
||||
const { contactId } = req.params;
|
||||
const contact = await Contact.findByPk(contactId);
|
||||
|
||||
const contactMessages = await contact.getMessages();
|
||||
|
||||
return res.json(contactMessages);
|
||||
};
|
||||
|
||||
exports.postCreateContactMessage = async (req, res) => {
|
||||
const { contactId } = req.params;
|
||||
const message = req.body;
|
||||
|
||||
const contact = await Contact.findByPk(contactId);
|
||||
|
||||
const newMessage = await contact.createMessage(message);
|
||||
|
||||
if (!newMessage) {
|
||||
return res.status(500).json({ message: "A mensagem não foi criada" });
|
||||
}
|
||||
|
||||
wbot.getWbot().sendMessage(`${contact.number}@c.us`, message.messageBody);
|
||||
|
||||
io.getIO().emit("appMessage", {
|
||||
action: "create",
|
||||
message: newMessage.dataValues,
|
||||
});
|
||||
|
||||
return res.json(newMessage);
|
||||
};
|
||||
|
||||
exports.postUpdateMessageStatus = async (req, res) => {
|
||||
const { messagesToSetRead } = req.body;
|
||||
|
||||
await Promise.all(
|
||||
messagesToSetRead.map(async message => {
|
||||
await Message.update(
|
||||
{ read: 1 },
|
||||
{
|
||||
where: {
|
||||
id: message.id,
|
||||
},
|
||||
}
|
||||
);
|
||||
})
|
||||
);
|
||||
|
||||
res.json({ message: "Mensagens lidas!" });
|
||||
};
|
||||
1
backend/controllers/session.json
Normal file
1
backend/controllers/session.json
Normal file
@@ -0,0 +1 @@
|
||||
{"WABrowserId":"\"ynZiZqR67F6o3M5nCIE3Ig==\"","WASecretBundle":"{\"key\":\"3kFQ7T0G4sbiCrb3ZwzDKzDdKLo6hObbUfygGby91H0=\",\"encKey\":\"ezpzST8/4752gQLd+Lj+yfZGqwzFqBlkvpelptnJ5dI=\",\"macKey\":\"3kFQ7T0G4sbiCrb3ZwzDKzDdKLo6hObbUfygGby91H0=\"}","WAToken1":"\"9g0Q+hqE6PdVX8yf2m2poDqpN+VB1NDbsSF3bp0xxE0=\"","WAToken2":"\"1@DnfzCyncYsMRZnUA+PnrZfYpux6mUSqrGPAFBgkU8b7NS6mge9SuJ4QDKUvt8HthVmH9mvovbb26zQ==\""}
|
||||
48
backend/controllers/wbot.js
Normal file
48
backend/controllers/wbot.js
Normal file
@@ -0,0 +1,48 @@
|
||||
const path = require("path");
|
||||
const qrCode = require("qrcode-terminal");
|
||||
const fs = require("fs");
|
||||
const { Client } = require("whatsapp-web.js");
|
||||
let wbot;
|
||||
|
||||
module.exports = {
|
||||
init: () => {
|
||||
const SESSION_FILE_PATH = path.join(__dirname, "/session.json");
|
||||
let sessionCfg;
|
||||
if (fs.existsSync(SESSION_FILE_PATH)) {
|
||||
sessionCfg = require(SESSION_FILE_PATH);
|
||||
}
|
||||
wbot = new Client({
|
||||
session: sessionCfg,
|
||||
});
|
||||
wbot.initialize();
|
||||
wbot.on("qr", qr => {
|
||||
qrCode.generate(qr, { small: true });
|
||||
});
|
||||
wbot.on("authenticated", session => {
|
||||
console.log("AUTHENTICATED");
|
||||
sessionCfg = session;
|
||||
fs.writeFile(SESSION_FILE_PATH, JSON.stringify(sessionCfg), function (
|
||||
err
|
||||
) {
|
||||
if (err) {
|
||||
console.error(err);
|
||||
}
|
||||
});
|
||||
});
|
||||
wbot.on("auth_failure", msg => {
|
||||
console.error("AUTHENTICATION FAILURE", msg);
|
||||
});
|
||||
wbot.on("ready", () => {
|
||||
console.log("READY");
|
||||
});
|
||||
|
||||
return wbot;
|
||||
},
|
||||
|
||||
getWbot: () => {
|
||||
if (!wbot) {
|
||||
throw new Error("Wbot not initialized");
|
||||
}
|
||||
return wbot;
|
||||
},
|
||||
};
|
||||
42
backend/controllers/wbotMessageListener.js
Normal file
42
backend/controllers/wbotMessageListener.js
Normal file
@@ -0,0 +1,42 @@
|
||||
const io = require("../socket");
|
||||
const Contact = require("../models/Contact");
|
||||
|
||||
const wbot = require("./wbot");
|
||||
|
||||
const wbotMessageListener = () => {
|
||||
wbot.getWbot().on("message", async msg => {
|
||||
const msgContact = await msg.getContact();
|
||||
try {
|
||||
let contact = await Contact.findOne({
|
||||
where: { number: msgContact.number },
|
||||
});
|
||||
if (!contact) {
|
||||
try {
|
||||
contact = await Contact.create({
|
||||
name: msgContact.number.toString(),
|
||||
number: msgContact.number,
|
||||
imageUrl: "",
|
||||
});
|
||||
io.getIO().emit("contact", {
|
||||
action: "create",
|
||||
contact: contact.dataValues,
|
||||
});
|
||||
} catch (err) {
|
||||
console.log(err);
|
||||
}
|
||||
}
|
||||
|
||||
const newMessage = await contact.createMessage({
|
||||
messageBody: msg.body,
|
||||
});
|
||||
io.getIO().emit("appMessage", {
|
||||
action: "create",
|
||||
message: newMessage.dataValues,
|
||||
});
|
||||
} catch (err) {
|
||||
console.log(err);
|
||||
}
|
||||
});
|
||||
};
|
||||
|
||||
module.exports = wbotMessageListener;
|
||||
21
backend/middleware/is-auth.js
Normal file
21
backend/middleware/is-auth.js
Normal file
@@ -0,0 +1,21 @@
|
||||
const jwt = require("jsonwebtoken");
|
||||
|
||||
module.exports = (req, res, next) => {
|
||||
let decodedToken;
|
||||
try {
|
||||
const token = req.get("Authorization").split(" ")[1];
|
||||
decodedToken = jwt.verify(token, "mysecret");
|
||||
} catch (err) {
|
||||
err.statusCode = 500;
|
||||
next(err);
|
||||
}
|
||||
|
||||
if (!decodedToken) {
|
||||
const error = new Error("Falha na autenticação");
|
||||
error.statusCode = 401;
|
||||
next(error);
|
||||
}
|
||||
|
||||
req.userId = decodedToken.userId;
|
||||
next();
|
||||
};
|
||||
21
backend/models/Contact.js
Normal file
21
backend/models/Contact.js
Normal file
@@ -0,0 +1,21 @@
|
||||
const Sequelize = require("sequelize");
|
||||
|
||||
const sequelize = require("../util/database");
|
||||
|
||||
const Message = require("./Message");
|
||||
|
||||
const Contact = sequelize.define("contact", {
|
||||
id: {
|
||||
type: Sequelize.INTEGER,
|
||||
allowNull: false,
|
||||
primaryKey: true,
|
||||
autoIncrement: true,
|
||||
},
|
||||
name: { type: Sequelize.STRING(100), allowNull: false },
|
||||
number: { type: Sequelize.STRING(15), allowNull: false },
|
||||
imageURL: { type: Sequelize.STRING(200) },
|
||||
});
|
||||
|
||||
Contact.hasMany(Message);
|
||||
|
||||
module.exports = Contact;
|
||||
10
backend/models/Message.js
Normal file
10
backend/models/Message.js
Normal file
@@ -0,0 +1,10 @@
|
||||
const Sequelize = require("sequelize");
|
||||
const sequelize = require("../util/database");
|
||||
|
||||
const Message = sequelize.define("message", {
|
||||
userId: { type: Sequelize.INTEGER, defaultValue: 0 },
|
||||
messageBody: { type: Sequelize.STRING(250), allowNull: false },
|
||||
read: { type: Sequelize.BOOLEAN, defaultValue: false },
|
||||
});
|
||||
|
||||
module.exports = Message;
|
||||
17
backend/models/User.js
Normal file
17
backend/models/User.js
Normal file
@@ -0,0 +1,17 @@
|
||||
const Sequelize = require("sequelize");
|
||||
|
||||
const sequelize = require("../util/database");
|
||||
|
||||
const User = sequelize.define("user", {
|
||||
id: {
|
||||
type: Sequelize.INTEGER,
|
||||
allowNull: false,
|
||||
primaryKey: true,
|
||||
autoIncrement: true,
|
||||
},
|
||||
name: { type: Sequelize.STRING(100), allowNull: false },
|
||||
password: { type: Sequelize.STRING(100), allowNull: false },
|
||||
email: { type: Sequelize.STRING(100), allowNull: false },
|
||||
});
|
||||
|
||||
module.exports = User;
|
||||
2797
backend/package-lock.json
generated
Normal file
2797
backend/package-lock.json
generated
Normal file
File diff suppressed because it is too large
Load Diff
33
backend/package.json
Normal file
33
backend/package.json
Normal file
@@ -0,0 +1,33 @@
|
||||
{
|
||||
"name": "backend",
|
||||
"version": "1.0.0",
|
||||
"description": "",
|
||||
"main": "index.js",
|
||||
"scripts": {
|
||||
"start": "nodemon app.js",
|
||||
"test": "echo \"Error: no test specified\" && exit 1"
|
||||
},
|
||||
"nodemonConfig": {
|
||||
"ignore": [
|
||||
"controllers/session.json"
|
||||
]
|
||||
},
|
||||
"author": "",
|
||||
"license": "ISC",
|
||||
"dependencies": {
|
||||
"bcryptjs": "^2.4.3",
|
||||
"cors": "^2.8.5",
|
||||
"express": "^4.17.1",
|
||||
"express-validator": "^6.4.1",
|
||||
"jsonwebtoken": "^8.5.1",
|
||||
"mysql2": "^2.1.0",
|
||||
"qrcode-terminal": "^0.12.0",
|
||||
"sequelize": "^5.21.8",
|
||||
"sequelize-cli": "^5.5.1",
|
||||
"socket.io": "^2.3.0",
|
||||
"whatsapp-web.js": "^1.5.1"
|
||||
},
|
||||
"devDependencies": {
|
||||
"nodemon": "^2.0.3"
|
||||
}
|
||||
}
|
||||
30
backend/routes/auth.js
Normal file
30
backend/routes/auth.js
Normal file
@@ -0,0 +1,30 @@
|
||||
const express = require("express");
|
||||
const { body } = require("express-validator");
|
||||
const User = require("../models/User");
|
||||
const authController = require("../controllers/auth");
|
||||
|
||||
const routes = express.Router();
|
||||
|
||||
routes.put(
|
||||
"/signup",
|
||||
[
|
||||
body("email")
|
||||
.isEmail()
|
||||
.withMessage("Email inválido")
|
||||
.custom((value, { req }) => {
|
||||
return User.findOne({ where: { email: value } }).then(user => {
|
||||
if (user) {
|
||||
return Promise.reject("Um cadastro com este email já existe!");
|
||||
}
|
||||
});
|
||||
})
|
||||
.normalizeEmail(),
|
||||
body("password").trim().isLength({ min: 5 }),
|
||||
body("name").trim().not().isEmpty(),
|
||||
],
|
||||
authController.signup
|
||||
);
|
||||
|
||||
routes.post("/login", authController.login);
|
||||
|
||||
module.exports = routes;
|
||||
11
backend/routes/contacts.js
Normal file
11
backend/routes/contacts.js
Normal file
@@ -0,0 +1,11 @@
|
||||
const express = require("express");
|
||||
const isAuth = require("../middleware/is-auth");
|
||||
|
||||
const ContactController = require("../controllers/contact");
|
||||
|
||||
const routes = express.Router();
|
||||
|
||||
routes.get("/contacts", isAuth, ContactController.getContacts);
|
||||
// routes.post(ContactController.postCreateContact);
|
||||
|
||||
module.exports = routes;
|
||||
24
backend/routes/message.js
Normal file
24
backend/routes/message.js
Normal file
@@ -0,0 +1,24 @@
|
||||
const express = require("express");
|
||||
const isAuth = require("../middleware/is-auth");
|
||||
|
||||
const MessangeController = require("../controllers/message");
|
||||
|
||||
const routes = express.Router();
|
||||
|
||||
routes.post(
|
||||
"/messages/setread",
|
||||
isAuth,
|
||||
MessangeController.postUpdateMessageStatus
|
||||
);
|
||||
routes.get(
|
||||
"/messages/:contactId",
|
||||
isAuth,
|
||||
MessangeController.getContactMessages
|
||||
);
|
||||
routes.post(
|
||||
"/messages/:contactId",
|
||||
isAuth,
|
||||
MessangeController.postCreateContactMessage
|
||||
);
|
||||
|
||||
module.exports = routes;
|
||||
14
backend/socket.js
Normal file
14
backend/socket.js
Normal file
@@ -0,0 +1,14 @@
|
||||
let io;
|
||||
|
||||
module.exports = {
|
||||
init: httpServer => {
|
||||
io = require("socket.io")(httpServer);
|
||||
return io;
|
||||
},
|
||||
getIO: () => {
|
||||
if (!io) {
|
||||
throw new Error("Socket IO not initialized");
|
||||
}
|
||||
return io;
|
||||
},
|
||||
};
|
||||
9
backend/util/database.js
Normal file
9
backend/util/database.js
Normal file
@@ -0,0 +1,9 @@
|
||||
const Sequelize = require("sequelize");
|
||||
|
||||
const sequelize = new Sequelize("econo_whatsbot", "root", "nodecomplete", {
|
||||
dialect: "mysql",
|
||||
host: "localhost",
|
||||
logging: false,
|
||||
});
|
||||
|
||||
module.exports = sequelize;
|
||||
23
frontend/.gitignore
vendored
Normal file
23
frontend/.gitignore
vendored
Normal file
@@ -0,0 +1,23 @@
|
||||
# See https://help.github.com/articles/ignoring-files/ for more about ignoring files.
|
||||
|
||||
# dependencies
|
||||
/node_modules
|
||||
/.pnp
|
||||
.pnp.js
|
||||
|
||||
# testing
|
||||
/coverage
|
||||
|
||||
# production
|
||||
/build
|
||||
|
||||
# misc
|
||||
.DS_Store
|
||||
.env.local
|
||||
.env.development.local
|
||||
.env.test.local
|
||||
.env.production.local
|
||||
|
||||
npm-debug.log*
|
||||
yarn-debug.log*
|
||||
yarn-error.log*
|
||||
68
frontend/README.md
Normal file
68
frontend/README.md
Normal file
@@ -0,0 +1,68 @@
|
||||
This project was bootstrapped with [Create React App](https://github.com/facebook/create-react-app).
|
||||
|
||||
## Available Scripts
|
||||
|
||||
In the project directory, you can run:
|
||||
|
||||
### `npm start`
|
||||
|
||||
Runs the app in the development mode.<br />
|
||||
Open [http://localhost:3000](http://localhost:3000) to view it in the browser.
|
||||
|
||||
The page will reload if you make edits.<br />
|
||||
You will also see any lint errors in the console.
|
||||
|
||||
### `npm test`
|
||||
|
||||
Launches the test runner in the interactive watch mode.<br />
|
||||
See the section about [running tests](https://facebook.github.io/create-react-app/docs/running-tests) for more information.
|
||||
|
||||
### `npm run build`
|
||||
|
||||
Builds the app for production to the `build` folder.<br />
|
||||
It correctly bundles React in production mode and optimizes the build for the best performance.
|
||||
|
||||
The build is minified and the filenames include the hashes.<br />
|
||||
Your app is ready to be deployed!
|
||||
|
||||
See the section about [deployment](https://facebook.github.io/create-react-app/docs/deployment) for more information.
|
||||
|
||||
### `npm run eject`
|
||||
|
||||
**Note: this is a one-way operation. Once you `eject`, you can’t go back!**
|
||||
|
||||
If you aren’t satisfied with the build tool and configuration choices, you can `eject` at any time. This command will remove the single build dependency from your project.
|
||||
|
||||
Instead, it will copy all the configuration files and the transitive dependencies (webpack, Babel, ESLint, etc) right into your project so you have full control over them. All of the commands except `eject` will still work, but they will point to the copied scripts so you can tweak them. At this point you’re on your own.
|
||||
|
||||
You don’t have to ever use `eject`. The curated feature set is suitable for small and middle deployments, and you shouldn’t feel obligated to use this feature. However we understand that this tool wouldn’t be useful if you couldn’t customize it when you are ready for it.
|
||||
|
||||
## Learn More
|
||||
|
||||
You can learn more in the [Create React App documentation](https://facebook.github.io/create-react-app/docs/getting-started).
|
||||
|
||||
To learn React, check out the [React documentation](https://reactjs.org/).
|
||||
|
||||
### Code Splitting
|
||||
|
||||
This section has moved here: https://facebook.github.io/create-react-app/docs/code-splitting
|
||||
|
||||
### Analyzing the Bundle Size
|
||||
|
||||
This section has moved here: https://facebook.github.io/create-react-app/docs/analyzing-the-bundle-size
|
||||
|
||||
### Making a Progressive Web App
|
||||
|
||||
This section has moved here: https://facebook.github.io/create-react-app/docs/making-a-progressive-web-app
|
||||
|
||||
### Advanced Configuration
|
||||
|
||||
This section has moved here: https://facebook.github.io/create-react-app/docs/advanced-configuration
|
||||
|
||||
### Deployment
|
||||
|
||||
This section has moved here: https://facebook.github.io/create-react-app/docs/deployment
|
||||
|
||||
### `npm run build` fails to minify
|
||||
|
||||
This section has moved here: https://facebook.github.io/create-react-app/docs/troubleshooting#npm-run-build-fails-to-minify
|
||||
14688
frontend/package-lock.json
generated
Normal file
14688
frontend/package-lock.json
generated
Normal file
File diff suppressed because it is too large
Load Diff
47
frontend/package.json
Normal file
47
frontend/package.json
Normal file
@@ -0,0 +1,47 @@
|
||||
{
|
||||
"name": "frontend",
|
||||
"version": "0.1.0",
|
||||
"private": true,
|
||||
"dependencies": {
|
||||
"@material-ui/core": "^4.9.14",
|
||||
"@testing-library/jest-dom": "^4.2.4",
|
||||
"@testing-library/react": "^9.5.0",
|
||||
"@testing-library/user-event": "^7.2.1",
|
||||
"axios": "^0.19.2",
|
||||
"bootstrap": "^4.5.0",
|
||||
"moment": "^2.26.0",
|
||||
"react": "^16.13.1",
|
||||
"react-bootstrap": "^1.0.1",
|
||||
"react-dom": "^16.13.1",
|
||||
"react-icons": "^3.10.0",
|
||||
"react-loading": "^2.0.3",
|
||||
"react-moment": "^0.9.7",
|
||||
"react-router-bootstrap": "^0.25.0",
|
||||
"react-router-dom": "^5.2.0",
|
||||
"react-scripts": "3.4.1",
|
||||
"react-scroll-to-bottom": "^2.0.0",
|
||||
"react-toastify": "^6.0.4",
|
||||
"socket.io-client": "^2.3.0"
|
||||
},
|
||||
"scripts": {
|
||||
"start": "react-scripts start",
|
||||
"build": "react-scripts build",
|
||||
"test": "react-scripts test",
|
||||
"eject": "react-scripts eject"
|
||||
},
|
||||
"eslintConfig": {
|
||||
"extends": "react-app"
|
||||
},
|
||||
"browserslist": {
|
||||
"production": [
|
||||
">0.2%",
|
||||
"not dead",
|
||||
"not op_mini all"
|
||||
],
|
||||
"development": [
|
||||
"last 1 chrome version",
|
||||
"last 1 firefox version",
|
||||
"last 1 safari version"
|
||||
]
|
||||
}
|
||||
}
|
||||
10
frontend/public/index.html
Normal file
10
frontend/public/index.html
Normal file
@@ -0,0 +1,10 @@
|
||||
<!DOCTYPE html>
|
||||
<html lang="en">
|
||||
<head>
|
||||
<title>React App</title>
|
||||
</head>
|
||||
<body>
|
||||
<noscript>You need to enable JavaScript to run this app.</noscript>
|
||||
<div id="root"></div>
|
||||
</body>
|
||||
</html>
|
||||
11
frontend/src/App.css
Normal file
11
frontend/src/App.css
Normal file
@@ -0,0 +1,11 @@
|
||||
button:active {
|
||||
opacity: 0.5;
|
||||
}
|
||||
|
||||
button:focus {
|
||||
outline: 0;
|
||||
}
|
||||
|
||||
img:active {
|
||||
opacity: 0.5;
|
||||
}
|
||||
60
frontend/src/App.js
Normal file
60
frontend/src/App.js
Normal file
@@ -0,0 +1,60 @@
|
||||
import React from "react";
|
||||
import { BrowserRouter, Route, Switch } from "react-router-dom";
|
||||
import { toast, ToastContainer } from "react-toastify";
|
||||
|
||||
import Home from "./pages/Home/Home";
|
||||
import Chat from "./pages/Chat/Chat";
|
||||
import Profile from "./pages/Profile/Profile";
|
||||
import Signup from "./pages/Signup/Signup";
|
||||
import Login from "./pages/Login/Login";
|
||||
import "./App.css";
|
||||
|
||||
const App = () => {
|
||||
const showToast = (type, message) => {
|
||||
switch (type) {
|
||||
case 0:
|
||||
toast.warning(message);
|
||||
break;
|
||||
case 1:
|
||||
toast.success(message);
|
||||
break;
|
||||
default:
|
||||
break;
|
||||
}
|
||||
};
|
||||
|
||||
return (
|
||||
<BrowserRouter>
|
||||
<ToastContainer
|
||||
autoClose={2000}
|
||||
hideProgressBar={true}
|
||||
position={toast.POSITION.TOP_CENTER}
|
||||
/>
|
||||
<Switch>
|
||||
<Route exact path="/" render={props => <Home />} />
|
||||
<Route
|
||||
exact
|
||||
path="/login"
|
||||
render={props => <Login showToast={showToast} />}
|
||||
/>
|
||||
<Route
|
||||
exact
|
||||
path="/profile"
|
||||
render={props => <Profile showToast={showToast} />}
|
||||
/>
|
||||
<Route
|
||||
exact
|
||||
path="/signup"
|
||||
render={props => <Signup showToast={showToast} />}
|
||||
/>
|
||||
<Route
|
||||
exact
|
||||
path="/chat"
|
||||
render={props => <Chat showToast={showToast} />}
|
||||
/>
|
||||
</Switch>
|
||||
</BrowserRouter>
|
||||
);
|
||||
};
|
||||
|
||||
export default App;
|
||||
BIN
frontend/src/Images/canove.png
Normal file
BIN
frontend/src/Images/canove.png
Normal file
Binary file not shown.
|
After Width: | Height: | Size: 424 KiB |
BIN
frontend/src/Images/profile_default.png
Normal file
BIN
frontend/src/Images/profile_default.png
Normal file
Binary file not shown.
|
After Width: | Height: | Size: 4.8 KiB |
BIN
frontend/src/Images/send.png
Normal file
BIN
frontend/src/Images/send.png
Normal file
Binary file not shown.
|
After Width: | Height: | Size: 374 B |
BIN
frontend/src/Images/upload.png
Normal file
BIN
frontend/src/Images/upload.png
Normal file
Binary file not shown.
|
After Width: | Height: | Size: 651 B |
BIN
frontend/src/Images/wa-background.png
Normal file
BIN
frontend/src/Images/wa-background.png
Normal file
Binary file not shown.
|
After Width: | Height: | Size: 682 KiB |
37
frontend/src/components/Navbar/DefaultNavbar.js
Normal file
37
frontend/src/components/Navbar/DefaultNavbar.js
Normal file
@@ -0,0 +1,37 @@
|
||||
import React from "react";
|
||||
|
||||
import { Navbar, Nav, Container } from "react-bootstrap";
|
||||
import { LinkContainer } from "react-router-bootstrap";
|
||||
|
||||
const LogedinNavbar = () => {
|
||||
return (
|
||||
<div>
|
||||
<Navbar variant="dark" bg="dark" expand="lg">
|
||||
<Container>
|
||||
<LinkContainer to="/" style={{ color: "#519032" }}>
|
||||
<Navbar.Brand>EconoWhatsBot</Navbar.Brand>
|
||||
</LinkContainer>
|
||||
<Navbar.Toggle aria-controls="responsive-navbar-nav" />
|
||||
<Navbar.Collapse id="responsive-navbar-nav">
|
||||
<Nav className="mr-auto">
|
||||
<LinkContainer to="/">
|
||||
<Nav.Link href="#home">Home</Nav.Link>
|
||||
</LinkContainer>
|
||||
<LinkContainer to="/chat">
|
||||
<Nav.Link href="#link">Chat</Nav.Link>
|
||||
</LinkContainer>
|
||||
</Nav>
|
||||
<LinkContainer to="/login">
|
||||
<Nav.Link href="#login">Login</Nav.Link>
|
||||
</LinkContainer>
|
||||
<LinkContainer to="/signup">
|
||||
<Nav.Link href="#signup">Signup</Nav.Link>
|
||||
</LinkContainer>
|
||||
</Navbar.Collapse>
|
||||
</Container>
|
||||
</Navbar>
|
||||
</div>
|
||||
);
|
||||
};
|
||||
|
||||
export default LogedinNavbar;
|
||||
48
frontend/src/components/Navbar/LogedinNavbar.js
Normal file
48
frontend/src/components/Navbar/LogedinNavbar.js
Normal file
@@ -0,0 +1,48 @@
|
||||
import React from "react";
|
||||
import { useHistory } from "react-router-dom";
|
||||
import { Navbar, Nav, Container } from "react-bootstrap";
|
||||
import { LinkContainer } from "react-router-bootstrap";
|
||||
|
||||
const DefaultNavbar = () => {
|
||||
const username = localStorage.getItem("username");
|
||||
const history = useHistory();
|
||||
|
||||
const handleLogout = e => {
|
||||
e.preventDefault();
|
||||
localStorage.removeItem("token");
|
||||
localStorage.removeItem("userName");
|
||||
localStorage.removeItem("userId");
|
||||
history.push("/");
|
||||
};
|
||||
|
||||
return (
|
||||
<div>
|
||||
<Navbar variant="dark" bg="dark" expand="lg">
|
||||
<Container>
|
||||
<LinkContainer to="/" style={{ color: "#519032" }}>
|
||||
<Navbar.Brand>EconoWhatsBot</Navbar.Brand>
|
||||
</LinkContainer>
|
||||
<Navbar.Toggle aria-controls="responsive-navbar-nav" />
|
||||
<Navbar.Collapse id="responsive-navbar-nav">
|
||||
<Nav className="mr-auto">
|
||||
<LinkContainer to="/">
|
||||
<Nav.Link href="#home">Home</Nav.Link>
|
||||
</LinkContainer>
|
||||
<LinkContainer to="/chat">
|
||||
<Nav.Link href="#link">Chat</Nav.Link>
|
||||
</LinkContainer>
|
||||
</Nav>
|
||||
<Navbar.Text>
|
||||
Logado como: <a href="#login">{username}</a>
|
||||
</Navbar.Text>
|
||||
<Nav.Link href="#logout" onClick={handleLogout}>
|
||||
Logout
|
||||
</Nav.Link>
|
||||
</Navbar.Collapse>
|
||||
</Container>
|
||||
</Navbar>
|
||||
</div>
|
||||
);
|
||||
};
|
||||
|
||||
export default DefaultNavbar;
|
||||
0
frontend/src/components/Navbar/Nabar.css
Normal file
0
frontend/src/components/Navbar/Nabar.css
Normal file
11
frontend/src/index.js
Normal file
11
frontend/src/index.js
Normal file
@@ -0,0 +1,11 @@
|
||||
import React from "react";
|
||||
import ReactDOM from "react-dom";
|
||||
import App from "./App";
|
||||
import "bootstrap/dist/css/bootstrap.min.css";
|
||||
|
||||
ReactDOM.render(
|
||||
<React.StrictMode>
|
||||
<App />
|
||||
</React.StrictMode>,
|
||||
document.getElementById("root")
|
||||
);
|
||||
213
frontend/src/pages/Chat/Chat.css
Normal file
213
frontend/src/pages/Chat/Chat.css
Normal file
@@ -0,0 +1,213 @@
|
||||
.root {
|
||||
text-align: center;
|
||||
flex-direction: column;
|
||||
display: flex;
|
||||
}
|
||||
|
||||
.body {
|
||||
display: flex;
|
||||
flex-direction: row;
|
||||
}
|
||||
|
||||
.ProfilePicture {
|
||||
width: 45px;
|
||||
height: 45px;
|
||||
left: 10px;
|
||||
position: absolute;
|
||||
cursor: pointer;
|
||||
border-radius: 50px;
|
||||
}
|
||||
|
||||
.ProfileHeaderText {
|
||||
font-weight: bold;
|
||||
color: #203152;
|
||||
font-size: 20px;
|
||||
/* padding: 60px; */
|
||||
text-align: center;
|
||||
align-items: center;
|
||||
position: absolute;
|
||||
margin-top: 5px;
|
||||
margin-left: -10px;
|
||||
}
|
||||
|
||||
/* .notificationpragraph {
|
||||
right: 0;
|
||||
bottom: 0;
|
||||
} */
|
||||
.newmessages {
|
||||
border-radius: 20%;
|
||||
width: 30px;
|
||||
height: 30px;
|
||||
padding: 8px;
|
||||
|
||||
background: green;
|
||||
color: white;
|
||||
text-align: center;
|
||||
|
||||
font: 14px Arial, sans-serif;
|
||||
}
|
||||
|
||||
/* List user */
|
||||
|
||||
.viewListUser {
|
||||
overflow-y: scroll;
|
||||
max-height: 90vh;
|
||||
min-height: 90vh;
|
||||
height: auto;
|
||||
width: 50vh;
|
||||
/* padding-top: 10px; */
|
||||
/* padding-bottom: 10px; */
|
||||
}
|
||||
|
||||
.viewListUser::-webkit-scrollbar-track {
|
||||
padding: 2px 0;
|
||||
background-color: #ffffff;
|
||||
}
|
||||
|
||||
.viewListUser::-webkit-scrollbar {
|
||||
width: 6px;
|
||||
}
|
||||
|
||||
.viewListUser::-webkit-scrollbar-thumb {
|
||||
border-radius: 10px;
|
||||
box-shadow: inset 0 0 6px rgba(0, 0, 0, 0.3);
|
||||
background-color: #9999;
|
||||
}
|
||||
|
||||
.viewWrapItem {
|
||||
border: none;
|
||||
display: flex;
|
||||
flex-direction: row;
|
||||
background-color: #fff;
|
||||
max-width: 100%;
|
||||
min-width: 100%;
|
||||
padding: 10px;
|
||||
align-items: center;
|
||||
justify-content: center;
|
||||
/* border-left: 15px solid #1ebea5; */
|
||||
/* margin-bottom: 3px; */
|
||||
border-bottom: 1px solid rgb(220, 220, 220);
|
||||
}
|
||||
|
||||
.selectedviewWrapItem {
|
||||
border: none;
|
||||
display: flex;
|
||||
flex-direction: row;
|
||||
background-color: #e2e2e2;
|
||||
max-width: 100%;
|
||||
min-width: 100%;
|
||||
padding: 10px;
|
||||
align-items: center;
|
||||
justify-content: center;
|
||||
/* border-left: 15px solid #1ebea5; */
|
||||
/* margin-bottom: 3px; */
|
||||
border-bottom: 1px solid rgb(220, 220, 220);
|
||||
}
|
||||
|
||||
.viewWrapItemNotification {
|
||||
border: none;
|
||||
display: flex;
|
||||
flex-direction: row;
|
||||
background-color: #1de9b6;
|
||||
max-width: 44vh;
|
||||
min-width: 44vh;
|
||||
padding: 10px;
|
||||
align-items: center;
|
||||
justify-content: center;
|
||||
/* border-left: 15px solid #1ebea5; */
|
||||
/* margin-bottom: 3px; */
|
||||
border-bottom: 1px solid rgb(220, 220, 220);
|
||||
}
|
||||
|
||||
.viewAvatarItem {
|
||||
width: 50px;
|
||||
height: 50px;
|
||||
border-radius: 25px;
|
||||
object-fit: cover;
|
||||
}
|
||||
|
||||
.viewWrapContentItem {
|
||||
flex-direction: column;
|
||||
display: flex;
|
||||
flex: 1;
|
||||
margin-left: 15px;
|
||||
color: #203152;
|
||||
word-wrap: break-word;
|
||||
}
|
||||
|
||||
.textItem {
|
||||
display: block;
|
||||
overflow: hidden;
|
||||
white-space: nowrap;
|
||||
text-overflow: ellipsis;
|
||||
width: 240px;
|
||||
text-align: left;
|
||||
font-size: 14px;
|
||||
}
|
||||
|
||||
.viewBoard {
|
||||
display: flex;
|
||||
flex: 1;
|
||||
max-height: 90vh;
|
||||
}
|
||||
|
||||
/* --------------------------------SEARCH BUTTON DESIGN-------------------------------- */
|
||||
.rootsearchbar {
|
||||
padding: 10px;
|
||||
width: 100%;
|
||||
margin-bottom: 10px;
|
||||
background-color: #f7f7f7;
|
||||
}
|
||||
|
||||
.input-icons i {
|
||||
position: absolute;
|
||||
}
|
||||
|
||||
.input-icons {
|
||||
width: 100%;
|
||||
}
|
||||
|
||||
.profileviewleftside {
|
||||
padding: 10px;
|
||||
width: 100%;
|
||||
background-color: #ededed;
|
||||
height: 64px;
|
||||
position: relative;
|
||||
margin-top: 0;
|
||||
}
|
||||
|
||||
.input-container {
|
||||
/* IE10 */
|
||||
display: flex;
|
||||
width: 100%;
|
||||
margin-bottom: 15px;
|
||||
}
|
||||
|
||||
.icon {
|
||||
padding: 10px;
|
||||
background: rgb(148, 167, 185);
|
||||
color: white;
|
||||
min-width: 50px;
|
||||
text-align: center;
|
||||
border-radius: 10px;
|
||||
opacity: 0.5;
|
||||
}
|
||||
|
||||
.input-field {
|
||||
width: 100%;
|
||||
|
||||
border-radius: 10px;
|
||||
|
||||
/* margin-right: 85%; */
|
||||
border: none !important;
|
||||
box-shadow: none !important;
|
||||
outline: none !important;
|
||||
|
||||
width: 100%;
|
||||
padding: 10px;
|
||||
text-align: center;
|
||||
}
|
||||
|
||||
.input-field:focus {
|
||||
border: 2px solid dodgerblue;
|
||||
}
|
||||
141
frontend/src/pages/Chat/Chat.js
Normal file
141
frontend/src/pages/Chat/Chat.js
Normal file
@@ -0,0 +1,141 @@
|
||||
import React, { useState, useEffect } from "react";
|
||||
import "./Chat.css";
|
||||
import api from "../../util/api";
|
||||
import profilePic from "../../Images/canove.png";
|
||||
import profileDefaultPic from "../../Images/profile_default.png";
|
||||
import openSocket from "socket.io-client";
|
||||
import { FiSearch } from "react-icons/fi";
|
||||
|
||||
import LogedinNavbar from "../../components/Navbar/LogedinNavbar";
|
||||
import DefaultNavbar from "../../components/Navbar/DefaultNavbar";
|
||||
|
||||
import ChatBox from "../ChatBox/ChatBox";
|
||||
|
||||
const Chat = ({ showToast }) => {
|
||||
const token = localStorage.getItem("token");
|
||||
const username = localStorage.getItem("username");
|
||||
|
||||
const [currentPeerContact, setCurrentPeerContact] = useState(null);
|
||||
const [contacts, setContacts] = useState([]);
|
||||
const [displayedContacts, setDisplayedContacts] = useState([]);
|
||||
|
||||
useEffect(() => {
|
||||
const fetchContacts = async () => {
|
||||
const res = await api.get("/contacts", {
|
||||
headers: { Authorization: "Bearer " + token },
|
||||
});
|
||||
setContacts(res.data);
|
||||
setDisplayedContacts(res.data);
|
||||
};
|
||||
fetchContacts();
|
||||
const socket = openSocket("http://localhost:8080");
|
||||
|
||||
socket.on("contact", data => {
|
||||
console.log(data);
|
||||
if (data.action === "create") {
|
||||
addContact(data.contact);
|
||||
}
|
||||
});
|
||||
|
||||
return () => {
|
||||
socket.disconnect();
|
||||
};
|
||||
}, [currentPeerContact, token]);
|
||||
|
||||
const addContact = contact => {
|
||||
setContacts(prevState => [...prevState, contact]);
|
||||
console.log("adicionando contato", contact);
|
||||
setDisplayedContacts(prevState => [...prevState, contact]);
|
||||
};
|
||||
|
||||
const handleSearchContact = e => {
|
||||
let searchTerm = e.target.value.toLowerCase();
|
||||
|
||||
setDisplayedContacts(
|
||||
contacts.filter(contact =>
|
||||
contact.name.toLowerCase().includes(searchTerm)
|
||||
)
|
||||
);
|
||||
};
|
||||
|
||||
const handleSelectContact = (e, contact) => {
|
||||
setCurrentPeerContact(contact);
|
||||
};
|
||||
|
||||
return (
|
||||
<div>
|
||||
{!localStorage.getItem("token") ? (
|
||||
<div>
|
||||
<DefaultNavbar />
|
||||
<h1> Você não está logado </h1>
|
||||
</div>
|
||||
) : (
|
||||
<div>
|
||||
<LogedinNavbar />
|
||||
<div className="root">
|
||||
<div className="body">
|
||||
<div className="viewListUser">
|
||||
<div className="profileviewleftside">
|
||||
<img className="ProfilePicture" alt="" src={profilePic} />
|
||||
<span className="ProfileHeaderText">{username}</span>
|
||||
</div>
|
||||
<div className="rootsearchbar">
|
||||
<div className="input-container">
|
||||
<i className="fa fa-search icon">
|
||||
<FiSearch size="20px" />
|
||||
</i>
|
||||
<input
|
||||
className="input-field"
|
||||
type="text"
|
||||
placeholder="Buscar Contato"
|
||||
onChange={handleSearchContact}
|
||||
/>
|
||||
</div>
|
||||
</div>
|
||||
{displayedContacts &&
|
||||
displayedContacts.length > 0 &&
|
||||
displayedContacts.map((contact, index) => (
|
||||
<button
|
||||
className={
|
||||
currentPeerContact &&
|
||||
currentPeerContact.id === contact.id
|
||||
? "selectedviewWrapItem"
|
||||
: "viewWrapItem"
|
||||
}
|
||||
id={contact.id}
|
||||
key={contact.id}
|
||||
onClick={e => handleSelectContact(e, contact)}
|
||||
>
|
||||
<img
|
||||
className="viewAvatarItem"
|
||||
alt=""
|
||||
src={profileDefaultPic}
|
||||
/>
|
||||
<div className="viewWrapContentItem">
|
||||
<span className="textItem">{contact.name}</span>
|
||||
</div>
|
||||
|
||||
{contact.messages && contact.messages.length > 0 && (
|
||||
<div className="notificationpragraph">
|
||||
<p className="newmessages">
|
||||
{contact.messages.length}
|
||||
</p>
|
||||
</div>
|
||||
)}
|
||||
</button>
|
||||
))}
|
||||
</div>
|
||||
<div className="viewBoard">
|
||||
{currentPeerContact ? (
|
||||
<ChatBox currentPeerContact={currentPeerContact} />
|
||||
) : null}
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
</div>
|
||||
)}
|
||||
</div>
|
||||
);
|
||||
};
|
||||
|
||||
export default Chat;
|
||||
368
frontend/src/pages/ChatBox/ChatBox.css
Normal file
368
frontend/src/pages/ChatBox/ChatBox.css
Normal file
@@ -0,0 +1,368 @@
|
||||
/* Chat board */
|
||||
|
||||
.viewChatBoard {
|
||||
display: flex;
|
||||
flex: 1;
|
||||
flex-direction: column;
|
||||
width: 100%;
|
||||
position: relative;
|
||||
|
||||
background-image: url("../../Images/wa-background.png");
|
||||
|
||||
backface-visibility: hidden;
|
||||
border-left: 1px solid #ededed;
|
||||
/* border-right: 5px solid #DFA375; */
|
||||
max-height: 104%;
|
||||
min-height: 104%;
|
||||
/* margin-right: 20px; */
|
||||
border-radius: 10px;
|
||||
/* box-shadow: 0 5px 5px #808888; */
|
||||
}
|
||||
.viewAvatarItem {
|
||||
margin-left: 20px;
|
||||
/* background-image: url('../../images/nopic.jpg'); */
|
||||
}
|
||||
|
||||
.headerChatBoard {
|
||||
border-bottom: 1px solid #e8e8e8;
|
||||
padding: 5px;
|
||||
display: flex;
|
||||
|
||||
background-color: #ededed;
|
||||
}
|
||||
.aboutme {
|
||||
padding-top: 20px;
|
||||
margin-left: 80px;
|
||||
|
||||
align-items: center;
|
||||
display: flex;
|
||||
position: absolute;
|
||||
}
|
||||
.textHeaderChatBoard {
|
||||
font-weight: bold;
|
||||
color: #203152;
|
||||
margin-left: 10px;
|
||||
}
|
||||
|
||||
.viewListContentChat {
|
||||
display: flex;
|
||||
flex: 1;
|
||||
flex-direction: column;
|
||||
overflow-y: scroll;
|
||||
padding-top: 10px;
|
||||
padding-bottom: 20px;
|
||||
}
|
||||
|
||||
.viewListContentChat::-webkit-scrollbar-track {
|
||||
padding: 2px 0;
|
||||
}
|
||||
|
||||
.viewListContentChat::-webkit-scrollbar {
|
||||
width: 15px;
|
||||
}
|
||||
|
||||
.viewListContentChat::-webkit-scrollbar-thumb {
|
||||
border-radius: 10px;
|
||||
box-shadow: inset 0 0 6px rgba(0, 0, 0, 0.3);
|
||||
background-color: #e8e8e8;
|
||||
}
|
||||
|
||||
.teste {
|
||||
border-radius: 10px;
|
||||
box-shadow: inset 0 0 6px rgba(0, 0, 0, 0.3);
|
||||
background-color: #e8e8e8;
|
||||
}
|
||||
|
||||
.viewBottom {
|
||||
display: flex;
|
||||
flex-direction: row;
|
||||
align-items: center;
|
||||
justify-content: center;
|
||||
height: 100px;
|
||||
|
||||
background-color: #f0f0f0;
|
||||
}
|
||||
|
||||
.icOpenGallery {
|
||||
width: 30px;
|
||||
height: 30px;
|
||||
margin-left: 10px;
|
||||
}
|
||||
|
||||
.viewInputGallery {
|
||||
opacity: 0;
|
||||
position: absolute;
|
||||
z-index: -1;
|
||||
left: 10px;
|
||||
width: 30px;
|
||||
}
|
||||
|
||||
.icOpenSticker {
|
||||
width: 30px;
|
||||
height: 30px;
|
||||
margin-left: 5px;
|
||||
margin-right: 5px;
|
||||
}
|
||||
|
||||
.icSend {
|
||||
width: 30px;
|
||||
height: 30px;
|
||||
margin-left: 5px;
|
||||
margin-right: 30px;
|
||||
}
|
||||
|
||||
.viewInput {
|
||||
flex: 1;
|
||||
border-radius: 30px;
|
||||
padding-left: 10px;
|
||||
padding-right: 10px;
|
||||
border: 0px;
|
||||
height: 50px;
|
||||
margin-right: 10px;
|
||||
}
|
||||
|
||||
.viewInput:focus {
|
||||
outline: 0;
|
||||
}
|
||||
|
||||
input::placeholder {
|
||||
color: rgb(199, 199, 199);
|
||||
}
|
||||
|
||||
/* View item message */
|
||||
|
||||
.viewItemRight {
|
||||
width: 300px;
|
||||
height: auto;
|
||||
|
||||
background-color: #dcf8c6;
|
||||
align-self: flex-end;
|
||||
margin-right: 20px;
|
||||
margin-top: 10px;
|
||||
border-top-left-radius: 8px;
|
||||
border-top-right-radius: 8px;
|
||||
border-bottom-left-radius: 8px;
|
||||
border-bottom-right-radius: 0px;
|
||||
color: #203152;
|
||||
text-align: left;
|
||||
padding-left: 20px;
|
||||
padding-right: 20px;
|
||||
padding-top: 10px;
|
||||
padding-bottom: 10px;
|
||||
box-shadow: 0 5px 5px #808888;
|
||||
}
|
||||
|
||||
.viewItemRight2 {
|
||||
width: 300px;
|
||||
height: auto;
|
||||
background-color: #e1f3fb;
|
||||
align-self: flex-end;
|
||||
margin-right: 20px;
|
||||
margin-top: 10px;
|
||||
border-top-left-radius: 8px;
|
||||
border-top-right-radius: 8px;
|
||||
border-bottom-left-radius: 8px;
|
||||
border-bottom-right-radius: 0px;
|
||||
color: #203152;
|
||||
text-align: left;
|
||||
box-shadow: 0 5px 5px #808888;
|
||||
}
|
||||
|
||||
.viewItemRight3 {
|
||||
width: 300px;
|
||||
height: auto;
|
||||
align-self: flex-end;
|
||||
margin-right: 20px;
|
||||
margin-top: 10px;
|
||||
border-top-left-radius: 8px;
|
||||
border-top-right-radius: 8px;
|
||||
border-bottom-left-radius: 8px;
|
||||
border-bottom-right-radius: 0px;
|
||||
text-align: left;
|
||||
}
|
||||
|
||||
.viewWrapItemLeft {
|
||||
width: 300px;
|
||||
text-align: left;
|
||||
align-self: flex-start;
|
||||
margin-left: 20px;
|
||||
margin-top: 10px;
|
||||
margin-bottom: -15px;
|
||||
}
|
||||
|
||||
.viewWrapItemLeft2 {
|
||||
width: 300px;
|
||||
align-self: flex-start;
|
||||
text-align: left;
|
||||
margin-left: 20px;
|
||||
margin-top: 10px;
|
||||
margin-bottom: -15px;
|
||||
}
|
||||
|
||||
.viewWrapItemLeft3 {
|
||||
flex-direction: row;
|
||||
display: flex;
|
||||
width: 340px;
|
||||
margin-bottom: -15px;
|
||||
}
|
||||
|
||||
.viewItemLeft {
|
||||
width: 300px;
|
||||
height: auto;
|
||||
margin-top: 10px;
|
||||
background-color: #ffffff;
|
||||
border-top-left-radius: 8px;
|
||||
border-top-right-radius: 8px;
|
||||
border-bottom-left-radius: 0px;
|
||||
border-bottom-right-radius: 8px;
|
||||
padding-left: 20px;
|
||||
padding-right: 20px;
|
||||
padding-top: 10px;
|
||||
padding-bottom: 10px;
|
||||
color: #303030;
|
||||
box-shadow: 0 5px 5px #808888;
|
||||
}
|
||||
|
||||
.viewItemLeft2 {
|
||||
width: 300px;
|
||||
height: auto;
|
||||
background-color: #203152;
|
||||
border-top-left-radius: 8px;
|
||||
border-top-right-radius: 8px;
|
||||
border-bottom-left-radius: 0px;
|
||||
border-bottom-right-radius: 8px;
|
||||
color: white;
|
||||
box-shadow: 0 5px 5px #808888;
|
||||
}
|
||||
|
||||
.viewItemLeft3 {
|
||||
width: 300px;
|
||||
height: auto;
|
||||
border-top-left-radius: 8px;
|
||||
border-top-right-radius: 8px;
|
||||
border-bottom-left-radius: 0px;
|
||||
border-bottom-right-radius: 8px;
|
||||
color: white;
|
||||
}
|
||||
.time {
|
||||
display: flex;
|
||||
align-items: center;
|
||||
text-align: center;
|
||||
margin-left: 400px;
|
||||
font: italic small-caps bold 15px/30px Georgia, serif;
|
||||
width: 110px;
|
||||
background-color: #e1f3fb;
|
||||
padding-top: 5px;
|
||||
padding-bottom: 5px;
|
||||
padding-left: 5px;
|
||||
padding-right: 5px;
|
||||
border-radius: 10px;
|
||||
}
|
||||
.timesetup {
|
||||
align-items: center;
|
||||
}
|
||||
|
||||
.peerAvatarLeft {
|
||||
width: 30px;
|
||||
height: 30px;
|
||||
border-radius: 15px;
|
||||
margin-right: 10px;
|
||||
margin-bottom: 10px;
|
||||
object-fit: cover;
|
||||
align-self: flex-end;
|
||||
}
|
||||
|
||||
.viewPaddingLeft {
|
||||
width: 40px;
|
||||
}
|
||||
|
||||
/* Item text */
|
||||
|
||||
.textContentItem {
|
||||
font-size: 16px;
|
||||
word-break: break-all;
|
||||
}
|
||||
|
||||
.viewListContentChat div:last-child {
|
||||
margin-bottom: 10px;
|
||||
}
|
||||
|
||||
/* Item image */
|
||||
|
||||
.imgItemRight {
|
||||
object-fit: cover;
|
||||
width: 300px;
|
||||
height: 300px;
|
||||
border-top-left-radius: 8px;
|
||||
border-top-right-radius: 8px;
|
||||
border-bottom-left-radius: 8px;
|
||||
border-bottom-right-radius: 0px;
|
||||
}
|
||||
|
||||
.imgItemLeft {
|
||||
object-fit: cover;
|
||||
width: 300px;
|
||||
height: 300px;
|
||||
border-top-left-radius: 8px;
|
||||
border-top-right-radius: 8px;
|
||||
border-bottom-left-radius: 0px;
|
||||
border-bottom-right-radius: 8px;
|
||||
}
|
||||
|
||||
.textTimeLeft {
|
||||
color: #808888;
|
||||
font-size: 12px;
|
||||
font-style: italic;
|
||||
margin-left: 50px;
|
||||
}
|
||||
|
||||
/* Stickers */
|
||||
|
||||
.viewStickers {
|
||||
display: block;
|
||||
border-top: 1px solid #e8e8e8;
|
||||
height: 100px;
|
||||
align-items: center;
|
||||
justify-content: space-around;
|
||||
overflow-x: scroll;
|
||||
}
|
||||
.viewStickers::-webkit-scrollbar-track {
|
||||
padding: 2px 0;
|
||||
}
|
||||
|
||||
.viewStickers::-webkit-scrollbar {
|
||||
width: 15px;
|
||||
}
|
||||
|
||||
.viewStickers::-webkit-scrollbar-thumb {
|
||||
border-radius: 10px;
|
||||
box-shadow: inset 0 0 6px rgba(0, 0, 0, 0.3);
|
||||
background-color: #e8e8e8;
|
||||
}
|
||||
|
||||
.imgSticker {
|
||||
width: 80px;
|
||||
height: 80px;
|
||||
object-fit: contain;
|
||||
}
|
||||
|
||||
/* Say hi */
|
||||
|
||||
.viewWrapSayHi {
|
||||
margin-top: 20px;
|
||||
display: flex;
|
||||
flex-direction: row;
|
||||
justify-content: center;
|
||||
align-items: center;
|
||||
}
|
||||
|
||||
.textSayHi {
|
||||
color: #808888;
|
||||
font-size: 14px;
|
||||
}
|
||||
|
||||
.imgWaveHand {
|
||||
width: 40px;
|
||||
height: 40px;
|
||||
margin-left: 10px;
|
||||
}
|
||||
139
frontend/src/pages/ChatBox/ChatBox.js
Normal file
139
frontend/src/pages/ChatBox/ChatBox.js
Normal file
@@ -0,0 +1,139 @@
|
||||
import React, { useState, useEffect } from "react";
|
||||
import { Card } from "react-bootstrap";
|
||||
import profileDefaultPic from "../../Images/profile_default.png";
|
||||
import uploadPic from "../../Images/upload.png";
|
||||
import sendPic from "../../Images/send.png";
|
||||
import api from "../../util/api";
|
||||
import openSocket from "socket.io-client";
|
||||
|
||||
import ScrollToBottom from "react-scroll-to-bottom";
|
||||
|
||||
import "react-toastify/dist/ReactToastify.css";
|
||||
import "./ChatBox.css";
|
||||
|
||||
const ChatBox = ({ currentPeerContact }) => {
|
||||
const contactId = currentPeerContact.id;
|
||||
const unreadMessages = currentPeerContact.messages;
|
||||
const userId = localStorage.getItem("userId");
|
||||
const username = localStorage.getItem("username");
|
||||
const token = localStorage.getItem("token");
|
||||
|
||||
const [listMessages, setListMessages] = useState([]);
|
||||
const [inputMessage, setInputMessage] = useState("");
|
||||
|
||||
useEffect(() => {
|
||||
const fetchMessages = async () => {
|
||||
try {
|
||||
const res = await api.get("/messages/" + contactId, {
|
||||
headers: { Authorization: "Bearer " + token },
|
||||
});
|
||||
setListMessages(res.data);
|
||||
} catch (err) {
|
||||
alert(err);
|
||||
}
|
||||
};
|
||||
|
||||
const readMesages = async () => {
|
||||
try {
|
||||
await api.post(
|
||||
"/messages/setread",
|
||||
{ messagesToSetRead: unreadMessages },
|
||||
{ headers: { Authorization: "Bearer " + token } }
|
||||
);
|
||||
} catch (err) {
|
||||
alert(err);
|
||||
}
|
||||
};
|
||||
|
||||
const socket = openSocket("http://localhost:8080");
|
||||
socket.on("appMessage", data => {
|
||||
if (data.action === "create") {
|
||||
if (contactId === data.message.contactId) {
|
||||
addMessage(data.message);
|
||||
}
|
||||
}
|
||||
});
|
||||
|
||||
fetchMessages();
|
||||
readMesages();
|
||||
|
||||
return () => {
|
||||
socket.disconnect();
|
||||
};
|
||||
}, [contactId, unreadMessages, token]);
|
||||
|
||||
const handleChangeInput = e => {
|
||||
setInputMessage(e.target.value);
|
||||
};
|
||||
|
||||
const handleSendMessage = async () => {
|
||||
if (inputMessage.trim() === "") return;
|
||||
const message = {
|
||||
read: 1,
|
||||
userId: userId,
|
||||
messageBody: `${username}: ${inputMessage.trim()}`,
|
||||
};
|
||||
try {
|
||||
await api.post(`/messages/${contactId}`, message, {
|
||||
headers: { Authorization: "Bearer " + token },
|
||||
});
|
||||
} catch (err) {
|
||||
alert(err);
|
||||
}
|
||||
setInputMessage("");
|
||||
};
|
||||
|
||||
const addMessage = message => {
|
||||
setListMessages(prevState => [...prevState, message]);
|
||||
};
|
||||
|
||||
return (
|
||||
<Card className="viewChatBoard">
|
||||
<div className="headerChatBoard">
|
||||
<img className="viewAvatarItem" src={profileDefaultPic} alt="" />
|
||||
<span className="textHeaderChatBoard">
|
||||
<p style={{ fontSize: "20px" }}>{currentPeerContact.name}</p>
|
||||
</span>
|
||||
</div>
|
||||
<ScrollToBottom className="viewListContentChat">
|
||||
<div className="viewListContentChat">
|
||||
{listMessages.map((message, index) =>
|
||||
message.userId === 0 ? (
|
||||
<div className="viewItemLeft" key={message.id}>
|
||||
<span className="textContentItem">{message.messageBody}</span>
|
||||
</div>
|
||||
) : (
|
||||
<div className="viewItemRight" key={message.id}>
|
||||
<span className="textContentItem">{message.messageBody}</span>
|
||||
</div>
|
||||
)
|
||||
)}
|
||||
</div>
|
||||
</ScrollToBottom>
|
||||
<div className="viewBottom">
|
||||
<img className="icOpenGallery" src={uploadPic} alt="" />
|
||||
<input
|
||||
// ref={input => input && input.focus()}
|
||||
name="inputMessage"
|
||||
className="viewInput"
|
||||
placeholder="mensagem"
|
||||
value={inputMessage}
|
||||
onChange={handleChangeInput}
|
||||
onKeyPress={e => {
|
||||
if (e.key === "Enter") {
|
||||
handleSendMessage();
|
||||
}
|
||||
}}
|
||||
></input>
|
||||
<img
|
||||
className="icSend"
|
||||
src={sendPic}
|
||||
alt=""
|
||||
onClick={handleSendMessage}
|
||||
/>
|
||||
</div>
|
||||
</Card>
|
||||
);
|
||||
};
|
||||
|
||||
export default ChatBox;
|
||||
0
frontend/src/pages/Home/Home.css
Normal file
0
frontend/src/pages/Home/Home.css
Normal file
20
frontend/src/pages/Home/Home.js
Normal file
20
frontend/src/pages/Home/Home.js
Normal file
@@ -0,0 +1,20 @@
|
||||
import React from "react";
|
||||
import LogedinNavbar from "../../components/Navbar/LogedinNavbar";
|
||||
import DefaultNavbar from "../../components/Navbar/DefaultNavbar";
|
||||
|
||||
import { Container } from "react-bootstrap";
|
||||
|
||||
import "./Home.css";
|
||||
|
||||
const Home = () => {
|
||||
return (
|
||||
<div>
|
||||
{localStorage.getItem("token") ? <LogedinNavbar /> : <DefaultNavbar />}
|
||||
<Container>
|
||||
<h1>Home</h1>
|
||||
</Container>
|
||||
</div>
|
||||
);
|
||||
};
|
||||
|
||||
export default Home;
|
||||
0
frontend/src/pages/Login/Login.css
Normal file
0
frontend/src/pages/Login/Login.css
Normal file
80
frontend/src/pages/Login/Login.js
Normal file
80
frontend/src/pages/Login/Login.js
Normal file
@@ -0,0 +1,80 @@
|
||||
import React, { useState } from "react";
|
||||
import { useHistory } from "react-router-dom";
|
||||
import api from "../../util/api";
|
||||
import LogedinNavbar from "../../components/Navbar/LogedinNavbar";
|
||||
import DefaultNavbar from "../../components/Navbar/DefaultNavbar";
|
||||
|
||||
import { Container, Form, Button } from "react-bootstrap";
|
||||
|
||||
const Login = ({ showToast }) => {
|
||||
const [user, setUser] = useState({ email: "", password: "" });
|
||||
const history = useHistory();
|
||||
|
||||
// const [token, setToken] = useState(null);
|
||||
// const [userId, setUserId] = useState(null);
|
||||
|
||||
const handleLogin = async e => {
|
||||
e.preventDefault();
|
||||
try {
|
||||
const res = await api.post("/auth/login", user);
|
||||
|
||||
// setToken(res.data.token);
|
||||
// setUserId(res.data.userId);
|
||||
|
||||
localStorage.setItem("token", res.data.token);
|
||||
localStorage.setItem("username", res.data.username);
|
||||
localStorage.setItem("userId", res.data.userId);
|
||||
const remainingMilliseconds = 60 * 60 * 1000;
|
||||
const expiryDate = new Date(new Date().getTime() + remainingMilliseconds);
|
||||
localStorage.setItem("expiryDate", expiryDate.toISOString());
|
||||
showToast(1, "Login efetuado com sucesso");
|
||||
history.push("/chat");
|
||||
} catch (err) {
|
||||
alert(err.response.data.message);
|
||||
}
|
||||
};
|
||||
|
||||
const handleChangeInput = e => {
|
||||
setUser({ ...user, [e.target.name]: e.target.value });
|
||||
};
|
||||
|
||||
return (
|
||||
<div>
|
||||
{localStorage.getItem("token") ? <LogedinNavbar /> : <DefaultNavbar />}
|
||||
<div>
|
||||
<br></br>
|
||||
<Container>
|
||||
<Form onSubmit={e => handleLogin(e, user)}>
|
||||
<Form.Group>
|
||||
{/* <Form.Label>Email address</Form.Label> */}
|
||||
<Form.Control
|
||||
name="email"
|
||||
type="email"
|
||||
placeholder="Email"
|
||||
value={user.email}
|
||||
onChange={handleChangeInput}
|
||||
/>
|
||||
</Form.Group>
|
||||
|
||||
<Form.Group>
|
||||
{/* <Form.Label>Password</Form.Label> */}
|
||||
<Form.Control
|
||||
name="password"
|
||||
type="password"
|
||||
placeholder="Senha"
|
||||
value={user.password}
|
||||
onChange={handleChangeInput}
|
||||
/>
|
||||
</Form.Group>
|
||||
|
||||
<Button variant="primary" type="submit">
|
||||
Entrar
|
||||
</Button>
|
||||
</Form>
|
||||
</Container>
|
||||
</div>
|
||||
</div>
|
||||
);
|
||||
};
|
||||
|
||||
export default Login;
|
||||
0
frontend/src/pages/Profile/Profile.css
Normal file
0
frontend/src/pages/Profile/Profile.css
Normal file
0
frontend/src/pages/Profile/Profile.js
Normal file
0
frontend/src/pages/Profile/Profile.js
Normal file
0
frontend/src/pages/Signup/SignUp.css
Normal file
0
frontend/src/pages/Signup/SignUp.css
Normal file
88
frontend/src/pages/Signup/Signup.js
Normal file
88
frontend/src/pages/Signup/Signup.js
Normal file
@@ -0,0 +1,88 @@
|
||||
import React, { useState } from "react";
|
||||
import { useHistory } from "react-router-dom";
|
||||
import api from "../../util/api";
|
||||
import LogedinNavbar from "../../components/Navbar/LogedinNavbar";
|
||||
import DefaultNavbar from "../../components/Navbar/DefaultNavbar";
|
||||
|
||||
import { Container, Form, Button } from "react-bootstrap";
|
||||
|
||||
const Signup = () => {
|
||||
const history = useHistory();
|
||||
const initialState = { name: "", email: "", password: "" };
|
||||
const [user, setUser] = useState(initialState);
|
||||
|
||||
const handleChangeInput = e => {
|
||||
setUser({ ...user, [e.target.name]: e.target.value });
|
||||
};
|
||||
|
||||
const handleSignUp = async e => {
|
||||
e.preventDefault();
|
||||
try {
|
||||
await api.put("/auth/signup", user);
|
||||
} catch (err) {
|
||||
alert(err);
|
||||
}
|
||||
history.push("/login");
|
||||
};
|
||||
|
||||
return (
|
||||
<div>
|
||||
{localStorage.getItem("token") ? (
|
||||
<div>
|
||||
<LogedinNavbar />
|
||||
<h1> Você está logado </h1>
|
||||
</div>
|
||||
) : (
|
||||
<div>
|
||||
<DefaultNavbar />
|
||||
<br></br>
|
||||
<Container>
|
||||
<Form onSubmit={handleSignUp}>
|
||||
<Form.Group>
|
||||
{/* <Form.Label>Nome</Form.Label> */}
|
||||
<Form.Control
|
||||
name="name"
|
||||
type="text"
|
||||
placeholder="Nome"
|
||||
value={user.name}
|
||||
onChange={handleChangeInput}
|
||||
/>
|
||||
</Form.Group>
|
||||
<Form.Group>
|
||||
{/* <Form.Label>Email address</Form.Label> */}
|
||||
<Form.Control
|
||||
name="email"
|
||||
type="email"
|
||||
placeholder="Email"
|
||||
value={user.email}
|
||||
onChange={handleChangeInput}
|
||||
/>
|
||||
</Form.Group>
|
||||
|
||||
<Form.Group>
|
||||
{/* <Form.Label>Password</Form.Label> */}
|
||||
<Form.Control
|
||||
name="password"
|
||||
type="password"
|
||||
placeholder="Senha"
|
||||
value={user.password}
|
||||
onChange={handleChangeInput}
|
||||
/>
|
||||
<Form.Text className="text-muted">
|
||||
Mínimo de 5 caracteres.
|
||||
</Form.Text>
|
||||
</Form.Group>
|
||||
|
||||
<Button variant="primary" type="submit">
|
||||
Submit
|
||||
</Button>
|
||||
</Form>
|
||||
</Container>
|
||||
</div>
|
||||
)}
|
||||
<br></br>
|
||||
</div>
|
||||
);
|
||||
};
|
||||
|
||||
export default Signup;
|
||||
7
frontend/src/util/api.js
Normal file
7
frontend/src/util/api.js
Normal file
@@ -0,0 +1,7 @@
|
||||
import axios from "axios";
|
||||
|
||||
const api = axios.create({
|
||||
baseURL: "http://localhost:8080",
|
||||
});
|
||||
|
||||
export default api;
|
||||
Reference in New Issue
Block a user