В настоящее время я застрял при создании функции регистрации на сайте. Я использую стек MEVN, и мне удалось заставить мой интерфейс работать с моей базой данных, но как только это будет сделано, я получу
cannot POST users/signup
Позвольте мне показать вам шоу Вы соответствующий код:
router.post('/signup', (req, res, next) => {
//Verify if user email is associated with an account.
User.find({email: req.body.email})
.exec()
.then(user => {
//Returns message if user email is associated with an account.
if(user.length >= 1) {
getCode.fourHundred(res, 409,
'This email is already associated with an account.');
} else { //If email is not found, makes a hashed password value.
if(req.body.password !== 'undefined') {
bcrypt.hash(req.body.password, 10, (err, hash) => {
if(err) {
getCode.fiveHundred(res, err);
} else {
//If no errors occur, creates a new user.
const user = new User({
_id: new mongoose.Types.ObjectId(),
firstName: req.body.firstName,
lastName: req.body.lastName,
email: req.body.email,
password: hash
});
// Saves user information to Database.
user.save()
.then(result => {
console.log(result);
getCode.twoHundred(res, 201, 'User created')
return res.redirect(301, 'localhost:8080')
})
.catch(getCode.fiveHundred(res, err))
}
});
}
}
});
});
Мой внешний интерфейс выглядит следующим образом:
<template>
<main class="container">
<h1> Sign Up</h1>
<form class="grid-container" action="/users/signup" method="POST">
<label class="label" for="first-name">First Name:</label>
<input
id="first-name"
type="text"
class="first-name input form-control"
placeholder="First Name"
v-model="firstName"
required>
<label class="label" for="last-name" >Last Name:</label>
<input id="last-name"
type="text"
class="last-name input form-control"
placeholder="Last Name"
v-model="lastName"
required>
<label class="label" for="email" >Email:</label>
<input id="email"
type="email"
class="email input form-control"
placeholder="example@example.com"
v-model="email"
required>
<label class="label" for="password">Password:</label>
<input id="password"
type="password"
class="password input form-control"
placeholder="Password"
v-model="password"
required>
<div class="button-grid">
<button
class="button"
type="submit"
@click="signUp">
Sign Up
</button>
</div>
</form>
</main>
</template>
<script>
import AuthenticationService from '@/services/AuthenticationService.js'
export default {
name: 'SignUp',
data () {
return {
firstName: '',
lastName: '',
email: '',
password: ''
}
},
methods: {
async signUp () {
const response = await AuthenticationService.signUp({
firstName: this.firstName,
lastName: this.lastName,
email: this.email,
password: this.password
})
console.log(response)
setTimeout(() => this.redirect(), 1000)
},
redirect () {
this.$router.push({ name: 'BuyAndSell' })
}
}
}
</script>
Я использую топор ios для подключения внешнего конца к внутреннему.
export default () => axios.create({
baseURL: 'http://localhost:3000/'
})
import api from '@/services/api'
export default {
signUp (credentials, res) {
return api().post('/users/signup', credentials)
}
}
Я пытался перенаправить через Vue и пытался через express, но я никуда не попал.
Редактировать: я также добавляю этот код, потому что Вот некоторые функции, которые я немного реорганизовал, чтобы немного очистить свой код.
const getFiveHundredErrors = (res, err) => {
console.log(err);
return res.status(500).json({
error: err
});
};
const getfourHundredErrors = (res, code, message) => {
return res.status(code).json({
message: message
})
};
const getTwoHundredSuccessCodes = (res, code, output, token) => {
return res.status(code).json({
output: output,
token: token || null
})
}
module.exports = {
fiveHundred: getFiveHundredErrors,
fourHundred: getfourHundredErrors,
twoHundred: getTwoHundredSuccessCodes }
Это файл приложения. js. Я получаю в своей консоли ошибку 500, которая, вероятно, та, что в .catch (), может быть, ошибка есть? Но я не уверен, как получить код для перенаправления обратно на домашнюю страницу после создания пользователей. Кроме того, хотя пользователи создаются, статус 200 мне тоже не показывается.
const express = require('express');
const morgan = require('morgan');
const bodyParser = require('body-parser');
const cors = require('cors');
const mongoose = require('mongoose');
const path = require('path');
const app = express();
const port = process.env.PORT || 3000;
const userRoutes = require('./api/routes/users');
const productRoutes = require('./api/routes/products');
const savedItemsRoutes = require('./api/routes/savedItems');
//I removed the mongodb.connect function to avoid exposing that info, even though I have the password stored in a .env file.
//Middleware.
app.use(morgan('dev'))
app.use('/uploads', express.static('uploads'))
app.use(bodyParser.urlencoded({extended: false}));
app.use(bodyParser.json());
app.use(cors());
app.use((req, res, next) => {
res.header('Access-Control-Allow-Origin', '*');
res.header('Access-Control-Allow-Headers',
'Origin, X-Requested-Width, Content-Type, Accept, Authorization'
);
if(req.method === 'OPTIONS') {
res.header('Access-Control-Allow-Methods',
'PUT', 'POST', 'PATCH', 'DELETE', 'GET');
return res.status(200/json({}));
}
next();
});
// Request Handling Routes.
app.use('/users', userRoutes);
app.use('/products', productRoutes);
app.use('/savedItems', savedItemsRoutes);
Другая проблема: Я вроде понимаю, что здесь происходит, но я Я не уверен, где я могу это исправить. Я знаю, что должен вернуть некоторый res.status после того, как исходный ответ был отправлен, но я немного запутался в том, каков поток моего кода, и я пытаюсь понять, куда выводит сообщение об ошибке, но я м, просто невежественен.
(node:28036) UnhandledPromiseRejectionWarning: Error [ERR_HTTP_HEADERS_SENT]: Cannot set headers after they are sent to the client
at ServerResponse.setHeader (_http_outgoing.js:535:11)
at ServerResponse.header (/Users/edgarnegron/Projects/llevatelopr/server/node_modules/express/lib/response.js:771:10)
at ServerResponse.send (/Users/edgarnegron/Projects/llevatelopr/server/node_modules/express/lib/response.js:170:12)
at ServerResponse.json (/Users/edgarnegron/Projects/llevatelopr/server/node_modules/express/lib/response.js:267:15)
at getTwoHundredSuccessCodes (/Users/edgarnegron/Projects/llevatelopr/server/api/routes/users.js:112:20)
at /Users/edgarnegron/Projects/llevatelopr/server/api/routes/users.js:40:17
at processTicksAndRejections (internal/process/task_queues.js:97:5)