Я продолжаю получать сообщение POST https://localhost: 5000 / users / add net :: ERR_CONNECTION_REFUSED. Я попытался предложить исправления, которые я нашел здесь, но ничего не работает - PullRequest
0 голосов
/ 26 апреля 2020

Я работаю над приложением для отслеживания тренировок, используя стек MERN. У меня есть компонент реагирования JS, который позволяет мне добавить нового пользователя в базу данных после нажатия кнопки отправки. Я использую ax ios для отправки http-запросов от моего внешнего интерфейса к конечной точке сервера на внутреннем сервере. Однако я продолжаю получать эту ошибку

POST https://localhost: 5000 / users / add net :: ERR_CONNECTION_REFUSED Uncaught (в обещании) Ошибка: ошибка сети при createError (0 .chunk. js: 971) в XMLHttpRequest.handleError (0.chunk. js: 466)

Это мой код на стороне сервера

const express = require('express');
const cors = require('cors');
const mongoose = require('mongoose');
//mongoose is whats going to help us connect to our mongoDB database


require('dotenv').config();
//this configures si we can have our environment variables in the dotenv file

const app = express();
const port = process.env.PORT || 5000;
//this is how we will create our express server 

app.use(cors());
app.use(express.json());
//this is our middle ware this will allopw us to parse json
// cause the server will be sending s=and receiving json

const uri = process.env.ATLAS_URI;
mongoose.connect(uri, {useNewUrlParser: true, useCreateIndex: true, useUnifiedTopology:true});
//uri is where database is stored
const connection = mongoose.connection;
connection.once('open',() =>{
    console.log("MongoDB database connection established successfully");
});
//once connection is open its going to log the message

const exercisesRouter = require('./routes/excercises');
const usersRouter = require('./routes/users');
//importing 

app.use('/excercises',exercisesRouter);
app.use('/users',usersRouter);
//use files
//whenever somebody goes to route url and put /excersies at the end it will show
//everything in excercises and the same for users


app.listen(port,()=>{
    console.log('Server is running on port: ' + port);
});
//this is what starts the server. It start listening to a certain port

Это моя функция отправки

onSubmit(e){
        e.preventDefault(); //prevents default html form behaviour taking place
        const user = {
            username: this.state.username,
        };

        console.log(user);

        //sending user data to the backend with post request
        //check user.js file in routes its sending a post request to the user.add api
        axios.post('https://localhost:5000/users/add',user)
            .then(res => console.log(res.data));

        this.setState({
            username: ''
        });
    }

Это мой маршрут

router.route('/add').post((req,res) => {
    const username = req.body.username;

    const newUser = new User({username});
    //using unsername to create new user

    newUser.save()
        .then(() => res.json('User added')) //after user saved to DB return user added message
        .catch(err => res.status(400).json('Error ' + err)); //if there is an error return error
});
Добро пожаловать на сайт PullRequest, где вы можете задавать вопросы и получать ответы от других членов сообщества.
...