如何使create-react-app与Node Back-end API一起使用

This is a very common question among newer React developers, and one question I had when I was starting out with React and Node.js. In this short example I will show you how to make create-react-app work with Node.js and Express Back-end.

这在新的React开发人员中是一个非常常见的问题,也是我刚开始使用React和Node.js时遇到的一个问题。 在这个简短的示例中,我将向您展示如何使Node.js和Express Back-end可以使用create-react-app

创建React应用 (create-react-app)

Create a project using create-react-app.

使用create-react-app创建一个项目。

npx create-react-app example-create-react-app-express

Create a /client directory under example-create-react-app-express directory and move all the React boilerplate code created by create-react-app to this new client directory.

example-create-react-app-express目录下创建一个/client目录,并将所有由create-react-app的React样板代码移动到该新客户端目录。

cd example-create-react-app-expressmkdir client

节点快速服务器 (The Node Express Server)

Create a package.json file inside the root directory (example-create-react-app-express) and copy the following contents:

在根目录( example-create-react-app-express )内创建一个package.json文件,并复制以下内容:

{"name": "example-create-react-app-express","version": "1.0.0","scripts": {"client": "cd client && yarn start","server": "nodemon server.js","dev": "concurrently --kill-others-on-fail \"yarn server\" \"yarn client\""},"dependencies": {"body-parser": "^1.18.3","express": "^4.16.4"},"devDependencies": {"concurrently": "^4.0.1"}
}

Notice I am using concurrently to run the React app and Server at the same time. The –kill-others-on-fail flag will kill other processes if one exits with a non zero status code.

注意我正在concurrently使用来concurrently运行React应用程序和Server。 如果一个以非零状态码退出,则–kill-others-on-fail标志将杀死其他进程。

Install nodemon globally and the server dependencies:

全局安装nodemon和服务器依赖项:

npm i nodemon -g
yarn

Create a server.js file and copy the following contents:

创建一个server.js文件并复制以下内容:

const express = require('express');
const bodyParser = require('body-parser');const app = express();
const port = process.env.PORT || 5000;app.use(bodyParser.json());
app.use(bodyParser.urlencoded({ extended: true }));app.get('/api/hello', (req, res) => {res.send({ express: 'Hello From Express' });
});app.post('/api/world', (req, res) => {console.log(req.body);res.send(`I received your POST request. This is what you sent me: ${req.body.post}`,);
});app.listen(port, () => console.log(`Listening on port ${port}`));

This is a simple Express server that will run on port 5000 and have two API routes: GET - /api/hello, and POST -/api/world.

这是一个简单的Express服务器,将在端口5000上运行,并具有两个API路由: GET /api/helloPOST /api/world

At this point you can run the Express server with the following command (still inside the root directory):

此时,您可以使用以下命令运行Express服务器(仍在根目录中):

node server.js

Now navigate to http://localhost:5000/api/hello, and you will get the following:

现在导航到http://localhost:5000/api/hello ,您将获得以下信息:

We will test the POST route once we build the React app.

构建React应用后,我们将测试POST路由。

React App (The React App)

Now switch over to the client directory where our React app lives.

现在切换到我们的React应用程序所在的client目录。

Add the following line to the package.json file created by create-react-app.

package.json下行添加到create-react-apppackage.json文件中。

"proxy": "http://localhost:5000/"

The key to using an Express back-end server with a project created with create-react-app is to use a proxy. This tells the Web-pack development server to proxy our API requests to our API server, given that our Express server is running on localhost:5000.

将Express后端服务器与通过create-react-app的项目一起使用的关键是使用代理。 假设我们的Express服务器在localhost:5000上运行,这将告诉Web-pack开发服务器将我们的API请求代理到我们的API服务器。

Now modify ./client/src/App.js to call our Express API Back-end, changes are in bold.

现在修改./client/src/App.js来调用我们的Express API后端,更改以粗体显示。

import React, { Component } from 'react';import logo from './logo.svg';import './App.css';class App extends Component {state = {response: '',post: '',responseToPost: '',};componentDidMount() {this.callApi().then(res => this.setState({ response: res.express })).catch(err => console.log(err));}callApi = async () => {const response = await fetch('/api/hello');const body = await response.json();if (response.status !== 200) throw Error(body.message);return body;};handleSubmit = async e => {e.preventDefault();const response = await fetch('/api/world', {method: 'POST',headers: {'Content-Type': 'application/json',},body: JSON.stringify({ post: this.state.post }),});const body = await response.text();this.setState({ responseToPost: body });};render() {return (<div className="App"><header className="App-header"><img src={logo} className="App-logo" alt="logo" /><p>Edit <code>src/App.js</code> and save to reload.</p><aclassName="App-link"href="https://reactjs.org"target="_blank"rel="noopener noreferrer">Learn React</a></header><p>{this.state.response}</p><form onSubmit={this.handleSubmit}><p><strong>Post to Server:</strong></p><inputtype="text"value={this.state.post}onChange={e => this.setState({ post: e.target.value })}/><button type="submit">Submit</button></form><p>{this.state.responseToPost}</p></div>);}
}export default App;

We create callApi method to interact with our GET Express API route, then we call this method in componentDidMount and finally set the state to the API response, which will be Hello From Express.

我们创建callApi方法来与GET Express API路由进行交互,然后在componentDidMount调用此方法,最后将状态设置为API响应,即“ Hello From Express”

Notice we didn’t use a fully qualified URL http://localhost:5000/api/hello to call our API, even though our React app runs on a different port (3000). This is because of the proxy line we added to the package.json file earlier.

请注意,即使我们的React应用程序在其他端口(3000)上运行,我们也没有使用完全限定的URL http://localhost:5000/api/hello来调用我们的API。 这是因为proxy 我们之前添加到package.json文件中的行。

We have a form with a single input. When submitted calls handleSubmit, which in turn calls our POST Express API route then saves the response to state and displays a message to the user: I received your POST request. This is what you sent me: [message from input].

我们有一个带有单个输入的表单。 提交时,调用handleSubmit ,然后依次调用我们的POST Express API路由,然后将响应保存到状态并向用户显示一条消息: 我收到了您的POST请求。 这是您发送给我的:[来自输入的消息]

Now open ./client/src/App.css and modify .App-header class as follows (changes in bold)

现在打开./client/src/App.css并按如下所示修改.App-header类(更改为粗体)

.App-header {
...min-height: 50%;
...padding-bottom: 10px;
}

运行应用 (Running the App)

If you still have the server running, go ahead and stop it by pressing Ctrl+C in your terminal.

如果您仍在运行服务器,请在终端中按Ctrl + C停止它。

From the project root directory run the following:

从项目根目录运行以下命令:

yarn dev

This will launch the React app and run the server at the same time.

这将启动React应用程序并同时运行服务器。

Now navigate to http://localhost:3000 and you will hit the React app displaying the message coming from our GET Express route. Nice ?!

现在导航到http://localhost:3000 ,您将点击React应用,显示来自我们GET Express路由的消息。 很好?!

Now, type something in the input field and submit the form, you will see the response from the POST Express route displayed right below the input field.

现在,在输入字段中输入内容并提交表单,您将看到输入字段正下方显示的POST Express路由的响应。

Finally take a look at at your terminal, you will see the message we sent from the client, that is because we call console.log on the request body in the POST Express route.

最后看看您的终端,您将看到我们从客户端发送的消息,这是因为我们在POST Express路由的请求正文上调用console.log

生产部署到Heroku (Production Deployment to Heroku)

Open server.js and replace with the following contents:

打开server.js并替换为以下内容:

const express = require('express');
const bodyParser = require('body-parser');
const path = require('path');const app = express();
const port = process.env.PORT || 5000;app.use(bodyParser.json());
app.use(bodyParser.urlencoded({ extended: true }));// API calls
app.get('/api/hello', (req, res) => {res.send({ express: 'Hello From Express' });
});app.post('/api/world', (req, res) => {console.log(req.body);res.send(`I received your POST request. This is what you sent me: ${req.body.post}`,);
});if (process.env.NODE_ENV === 'production') {// Serve any static filesapp.use(express.static(path.join(__dirname, 'client/build')));// Handle React routing, return all requests to React appapp.get('*', function(req, res) {res.sendFile(path.join(__dirname, 'client/build', 'index.html'));});
}app.listen(port, () => console.log(`Listening on port ${port}`));

Open ./package.json and add the following to the scripts entry

打开./package.json并将以下内容添加到scripts条目中

"start": "node server.js",
"heroku-postbuild": "cd client && npm install && npm install --only=dev --no-shrinkwrap && npm run build"

Heroku will run the start script by default and this will serve our app. Then we want to instruct Heroku to build our client app, we do so with heroku-postbuild script.

Heroku默认会运行start脚本,这将为我们的应用程序提供服务。 然后,我们要指示Heroku构建我们的客户端应用程序,我们使用heroku-postbuild脚本来实现。

Now, head over to Heroku and log in (or open an account if you don’t have one).

现在,转到Heroku并登录(如果没有,请开设一个帐户)。

Create a new app and give it a name

创建一个新应用并命名

Click on the Deploy tab and follow the deploy instructions (which I think they are pretty self-explanatory, no point on replicating them here ?)

单击“ 部署”选项卡,然后按照部署说明进行操作(我认为它们很不言自明,没有必要在此处复制它们吗?)

And that is it, you can open your app by clicking on the Open app button at the top right corner within the Heroku dashboard for your app.

就是这样,您可以通过单击Heroku仪表板右上角的“ 打开应用程序”按钮来打开应用程序。

Visit the deployed app for this tutorial: https://cra-express.herokuapp.com/

请访问已部署的应用程序以获取本教程: https : //cra-express.herokuapp.com/

其他部署选项 (Other Deployment Options)

I write about other deployments options here:

我在这里写有关其他部署选项的信息:

  • Netlify

    Netlify

  • Now

    现在

  • Heoku (more in-depth explanation)

    Heoku (更深入的说明)

项目结构 (Project Structure)

This will be the final project structure.

这将是最终的项目结构。

Get the full code on the GitHub repository.

在GitHub存储库上获取完整代码。

Thank you for reading and I hope you enjoyed it. Any question, suggestions let me know in the comments below!

感谢您的阅读,希望您喜欢它。 如有任何疑问,建议请在下面的评论中告诉我!

You can follow me on Twitter, GitHub, Medium, LinkedIn or all of them.

您可以在Twitter , GitHub , Medium , LinkedIn或所有它们上关注我。

This post was originally posted on my personal blog website.

该帖子最初发布在我的个人博客网站上 。



Update 8/25/19: I have been building a prayer web app called "My Quiet Time - A Prayer Journal". If you would like to stay in the loop please sign up through the following link: http://b.link/mqt  

19年8月25日更新:我一直在构建一个祷告网络应用程序,名为“ 我的安静时间-祷告日记 ”。 如果您想停留在循环中,请通过以下链接进行注册: http : //b.link/mqt

The app will be released before the end of the year, I have big plans for this app. To see some mockup screenshots follow the following link: http://pc.cd/Lpy7

该应用程序将在今年年底之前发布,我对此应用程序有很大的计划。 要查看一些模型截图,请点击以下链接: http : //pc.cd/Lpy7

My DMs on Twitter are open if you have any questions regarding the app 😄

如果您对应用程序有任何疑问,我在Twitter上的 DM处于打开状态😄

翻译自: https://www.freecodecamp.org/news/how-to-make-create-react-app-work-with-a-node-backend-api-7c5c48acb1b0/

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/394986.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

Spring Cloud Eureka 入门 (二)服务提供者详解

2019独角兽企业重金招聘Python工程师标准>>> 摘要: 原创出处:www.bysocket.com 泥瓦匠BYSocket 希望转载&#xff0c;保留摘要&#xff0c;谢谢&#xff01; “优秀不是过去是一种心态” 「Spring Cloud Eureka 入门系列」Spring Cloud Eureka 入门 &#xff08;一…

题解 CF682C 【Alyona and the Tree】

简单搜索题&#xff0c;我们每找到一组不满足题目给出条件的点和边就将其整个子树删除&#xff0c;然后最终答案加上该子树的大小即可。注意&#xff0c;搜索的时候如果当前的边权和sum已经为负了&#xff0c;应该将其改为0&#xff08;可以想想为什么&#xff09; 注&#xff…

现在mfc的现状如何_天玑云客:微信代运营现在什么现状?如何挑选合适的代运营公司?...

来源&#xff1a;天玑云客综合整理团队成员均来自“中国房地产策划代理百强企业”TOP10以及”中国企业500强“TOP20企业并担任重要职位。和你一起聊运营、产品、技术研发、房地产以及各种新兴行业有哪些有趣的营销玩法。由于微信公众号/小程序的影响力日益增强&#xff0c;以及…

第五百一十八天 how can I 坚持

闲是真能闲出病来&#xff0c;无名的焦虑啊。不想这样。 天越来越冷了。后天就放假了&#xff0c;有点小激动&#xff0c;这一天天的。 今晚没玩游戏&#xff0c;看了会《微微一笑很倾城》&#xff0c;只能是崇拜那些玩游戏好的&#xff0c;就是玩不好&#xff0c;哎。。。 睡觉…

第三方登录 人人php,人人网第三方登录接口方案

之前闲暇有空,就去了解了下人人网的第三方登录的接口,呵呵..发布想了解的都了解下.一. REST接口模式使用HTTP post 协议or HTTP get 协议发出请求.HTTP 协议同REST服务器通信.Java Struts 1.2 .do 的模式请求.代码:1.URL编码的示例代码(java)&#xff1a; value java.net.UR…

easy ui dialog 关闭之后的怪异问题

最近在工作中使用easy ui做东西,然后发现了一些不可思议的现象,笔记一下,前事不忘后事之师!事故现场:增加页面和修改页面是分离的两个jsp文件.在页面加载时会用jquery去控制一些数据加载和一些逻辑.理论上来说不希望增加页面和修改页面互相干扰.单独拿增加模块测是正常的.加载修…

node.js gbk编码_如何使用Node.js将Chrome的霸王龙编码为电报游戏

node.js gbk编码by Fernando Garca lvarez通过费尔南多加西亚阿尔瓦雷斯 如何使用Node.js将Chrome的霸王龙编码为电报游戏 (How to code Chrome’s T-Rex as a Telegram game using Node.js) Last month I was really interested in learning how the Telegram game platform …

二进制文件更新程序_APR 6.17程序文件更新

兰博基尼程序文件更新Lamborghini Huracan EURO MY2018 5.2L V10 DKBC 4T0907552L S0002 Stage 1 V1.1 [APR Mobile]奥迪程序文件更新Audi A3 / VW GTI NA MY2014 2.0TSI CNTC 5G0906259A S0001 Stage 1 V2.0.3 [2WD] [Single Program]Audi A3 / VW GTI NA MY2014 2.0TSI CNTC …

android 事件拦截 (Viewpager不可以左右滑动)

以前没有做过真正的需求&#xff0c;所以从来没有觉得事件拦截分发处理有什么好懂的。 现在做需求了&#xff0c;真的是什么需求都有&#xff0c;你作为开发都要去研究实现。比如说&#xff0c;只能点不能滑动的viewpager。其实这都可以不用viewpager了。直接用fragment的repl…

mysql安装设置数据目录下,linux下安装mysql数据+配置

《linux下安装mysql数据配置》由会员分享&#xff0c;可在线阅读&#xff0c;更多相关《linux下安装mysql数据配置(2页珍藏版)》请在人人文库网上搜索。1、Redhat下安装MySQL数据库 说明&#xff1a;安装环境&#xff1a;本地VMWare虚拟机redhat MySQL安装目录&#xff1a;/hom…

力扣——k个一组翻转链表

给出一个链表&#xff0c;每 k 个节点一组进行翻转&#xff0c;并返回翻转后的链表。 k 是一个正整数&#xff0c;它的值小于或等于链表的长度。如果节点总数不是 k 的整数倍&#xff0c;那么将最后剩余节点保持原有顺序。 示例 : 给定这个链表&#xff1a;1->2->3->4…

拨盘Demo大赛,获奖公布-20170710

2019独角兽企业重金招聘Python工程师标准>>> 为了答谢微信小程序联盟的新老会员&#xff0c;极乐科技支持举办的拨盘大赛终于落幕&#xff0c;本次大赛有662人关注&#xff0c;报名参赛8位&#xff0c;获奖名单如下&#xff1a; ##一、获得1000元现金奖励的参赛者 会…

2018年编程语言排行榜_这是2018年学习的最佳编程语言

2018年编程语言排行榜by Alexander Petkov通过亚历山大佩特科夫(Alexander Petkov) 这是2018年学习的最佳编程语言 (Here are the best programming languages to learn in 2018) This is the definitive guide for anyone wanting to choose the right programming language …

ZJUTACM

描述 这回是浙江工业大学的ACM程序设计竞赛&#xff0c;欢迎你的到来!但是,请稍等!裁判Joe说了,必须正确回答他的问题,才可以看到PIPI的气球MM,KUKU的气球GG.Joe手上有7张卡片,每张卡片上有一个大写字母,分别是Z,J,U,T,A,C,M.现在他开始表演魔术,每次只交换其中的两张卡片.等表…

vscode 不能运行h5c3代码_让开发效率“飞起”的VS Code 插件

前言VSCode&#xff0c;是一个免费的、开源的跨平台编辑器,也是我最满意的编辑器之一。本文向大家推荐一些我喜欢的vscode插件&#xff0c;不出意外的话&#xff0c;这些插件将对你的工作效率提升有不小的帮助&#xff01;GitLensVS Code中的 Git 体验在易用性和完整性之间取得…

dedecms plus/download.php,dedecms教程:DedeCMS 5.7SP1 /plus/download.php url重定向漏

最近使用scanv网站体检发现有DedeCMS 5.7SP1 /plus/download.php url重定向漏洞(如下图)&#xff0c;对比官方网站最新下载包发现该漏洞未进行补丁&#xff0c;但官方自身网站已经补上了&#xff0c;而官方演示站点均未补上。参考了下网上给出的漏洞原因和解决思路如下&#xf…

C language day1

2019独角兽企业重金招聘Python工程师标准>>> http://www.eclipsecolorthemes.org/?viewtheme&id66设置eclispe编辑器主题 http://www.cnblogs.com/csulennon/p/4231405.html 配置黑色主题 Dogs.c 第一段代码片段 /*Name : Dogs.cAuthor : MichaelV…

Xftp远程连接出现“无法显示文件夹”的问题补充

网上有很多朋友出现相同的问题&#xff0c;各位热心网友都给出了自己的解决方案&#xff0c;其中大多数网友给出的解决方案都是&#xff1a;将Xftp更换成“被动连接模式”。但是很不幸的是&#xff0c;本人通过这种方式并没有得到有效的解决&#xff0c;网上的各大方法都尝试&a…

Bootstrap中水平排列的表单form-inline

1 <html>2 <head>3 <title>初识Bootstrap</title>4 <meta charset"utf-8">5 <meta name"viewport" content"widthdevice-width, initial-scale1.0">6 <link rel"stylesheet" href"http:/…

minio 授予永久访问权限_应对 iOS 14 权限管理 应用手把手教你打开“所有照片”权限...

DoNews 11月3日消息(记者 刘文轩)苹果在 iOS 14 中带来全新的隐私管理功能&#xff0c;其中最亮眼的就是相册权限方面&#xff0c;可以为应用程序授予单独授予某张照片的访问权限&#xff0c;无需交出整个相册。作为 iOS 14 主推新功能之一&#xff0c;这项功能也很快得到开发者…