By James Y Rauhut
When you have responsibilities as one of the only designers — and possibly developer s— on your team, automation becomes your best friend.
At work, I have both responsibilities as a designer and sometimes as a lone developer. This means that there is not much time to configure the dev environment I am working on. Time is also wasted when I have to manually update the apps to their online environment.
Thankfully, there are free tools that help us prototype and release in no time: Create React App, Bluemix, GitHub, and Travis CI. I’m going to share with you how I use all of these to automate all of the boring parts of my job with Create React App DevOps.
Update March 3rd, 2017: Thanks to a heads up from a commenter, I was warned not to use Babel-Node in production (on Bluemix). Create React App DevOps now reflects that with v1.1.0!
There are three ways you can adapt this process yourself:
- Follow along with this post as we write the project together
- Inspect the comparison between the initial Create React App use and the final commit: Github Comparison Between First and Last Commit
- Fork the repo and follow the instructions below: Fork Create React App DevOps
Check out the app live at: https://create-react-app-devops.mybluemix.net/
If you want to know the guts of the project, then continue reading to make it with me! There will be six sections:
- Use Create React App to Get the UI Up
- Setup Your Server with Node, Express, and Babel
- Run the App on the Web with Bluemix
- Automagically Deploy from Github with Travis CI
- Fetch API Data While Keeping Keys Secure
- Create a Staging App for Experimentation
Use Create React App to Get the UI Up
When I first started using React for front-end projects, I wasted a lot of time. A lot of that time was configuring Webpack and various plug-ins. Thankfully, Create React App was created to keep your projects configured properly. There is an option to “eject” your Create React App projects, but I avoid ejecting. That is so that I can continue receiving Facebook’s updates to the project.
- Install Node to manage the packages we use and server.
- Install Yarn (optional) to speed up the installation of packages. If you choose not to, just keep in mind that terminal commands like yarn run ---are usuallynpm run ---.
- It is time to open up your terminal. Install Create React App globally: yarn global add create-react-app
- Now let Create React App make your project or you and navigate into it: create-react-app <app-name>; and cd <app-name>
Side Note: Anytime you see “” in this write-up, you can replace it with a unique name for your project like “super-cool-app”.
?????
You can now work on all of the client-side (user interface) code! Run yarn start and Create React App will open a tab in your browser to show you the UI. Anytime you edit the client-side code in the <app-name>;/src/, the browser will refresh with the changes!
?????
Setup Your Server with Node, Express, and Babel
Now let’s get a server running so that you can host the app online. Controlling your own Node server will also be important later to fetch data with an API from services like Github.
- Let’s add all of the packages for a Node server. The Babel related packages will allow you to use the latest Javascript functionality: yarn add babel-cli babel-preset-es2015 babel-preset-stage-2 compression express
- Now make an index.jsfile in the root of the project folder to represent our Node server:
import compression from 'compression';import express from 'express'; const app = express();const port = process.env.PORT || 8080;app.use(compression()); app.use(express.static('./build')); app.listen(port, (err) => { if (err) {   console.log(err);   return; }
 console.log(`Server is live at http://localhost:${port}`);});
- You can now see all of the dependencies we installed in package.json. Let’s add a script called “bluemix” to run the server and section called “babel” to configure Babel:
"scripts": {  "bluemix": "babel-node index.js",  "start": "react-scripts start",  "build": "react-scripts build",  "test": "react-scripts test --env=jsdom",  "eject": "react-scripts eject",},"babel": {  "presets": [    "es2015",    "stage-2"  ]}
- yarn build && yarn bluemixwill build the app and run the server. However, we want to add a dev mode to the server similar to our client-side code. This way we see changes from just saving- index.jswhen we are coding. Let’s add some dependencies that will let us do this:- yarn add babel-watch concurrently --dev
- Now update the “start” script in package.json so that we run Create React App’s dev mode and our server. We will also add a “proxy” line. This line tells Create React App that a server can take requests that are not found in the client-side code: 
"proxy": "http://localhost:8081","scripts": {  "bluemix": "babel-node index.js",  "start": "concurrently \"PORT=8080 react-scripts start\" \"PORT=8081 babel-watch index.js\"",  "build": "react-scripts build",  "test": "react-scripts test --env=jsdom",  "eject": "react-scripts eject",},
?????
You can now work on the server-side code in index.js! Run yarn start and both the Create React App dev mode and our server will respond to changes saved!
?????
Run the App on the Web with Bluemix
Since I work at IBM, Bluemix is our go-to hosting platform. Not only do we host our final products on Bluemix, but we also host any prototypes to share with peers and user test. I also use Bluemix for personal projects like this one because it has a solid free tier.
- Create a free account on Bluemix.
- Install the Cloud Foundry CLI. Since Bluemix is built on top of an open-source project called Cloud Foundry, you will see “cf” in a lot of our commands.
- Similar to .gitignorefiles, we should make a file to prevent unnecessary files from being uploaded to Bluemix. Make.cfignorein the project’s root folder to do this:
/node_modules .DS_Store npm-debug.log* yarn-debug.log* yarn-error.log*
- Now we can tell Bluemix all of our app’s settings for the deploy with a manifest.ymlfile in the root of the project:
---applications:- name: <app-name>  buildpack: https://github.com/cloudfoundry/nodejs-buildpack  command: npm run bluemix  disk_quota: 256MB  memory: 128MB
- Finally, login into Bluemix from your terminal with cf login -a https://api.ng.bluemix.net, build your app withyarn build, and then push your app into the world withcf push.
?????
After about five minutes, your terminal should say the app is live at .mybluemix.net! Now the world can see it. A common error is that your app name has already been taken on Bluemix. Simply choose a more unique name and it should work!
?????
[Automagically Deploy from Github with Travis CI](http://Automagically Deploy from Github with Travis CI)
One of the most tedious parts of managing an app is deploying it every time you have changes ready. I would even get lazy and batch my deploys whenever I finally felt like doing it. Thanks to Travis CI (Continuous Integration), deploying can become as simple as managing your Github repo.
- First, you need to make a Github account and set up the Git on your computer.
- Next, create a new repo on Github.com and then follow the terminal instructions provided to push your project to Github:
git initgit add .git commit -m 'Initial commit'git remote add origin https://github.com/<github-username/<app-name>.gitgit push -u origin master
- Now head over to Travis CI to login with your Github credentials. Hit the “+” icon to activate your new repo. If you do not see the repo you just created, click “Sync account” and then it should show up. 
- Then click on the project’s settings in Travis to choose the following options: 
Build only if .travis.yml is present = On
Build pushes = On
Limit concurrent jobs = Off
Build pull requests = On (This will allow Github to still run any automated tests you add in the future for opened PRs.)
Environment Variables: BLUEMIX_PASSWORD = <Your-bluemix-password>
- The biggest step here is adding the blueprint for Travis as a .travis.ymlfile in the project’s root:
sudo: truelanguage: node_jsnode_js:- '5.7'cache:  yarn: true  directories:    - node_modulesenv:  global:  - CF_API=https://api.ng.bluemix.net/  - CF_USERNAME=<Your-bluemix-email>  - CF_ORG=<Your-bluemix-email>  - CF_SPACE=devbefore_deploy:  - wget https://s3.amazonaws.com/go-cli/releases/v6.12.4/cf-cli_amd64.deb -qO temp.deb && sudo dpkg -i temp.deb  - rm temp.deb  - cf login -a ${CF_API} -u ${CF_USERNAME} -p ${BLUEMIX_PASSWORD} -o ${CF_ORG} -s ${CF_SPACE}  - cf install-plugin autopilot -r CF-Community  - yarn builddeploy:  - edge: true    provider: script    script: if [ "$TRAVIS_PULL_REQUEST" = "false" ]; then cf zero-downtime-push <My-app> -f ./manifest.yml; else echo "PR skip deploy"; fi    skip_cleanup: true    on:      branch: master
Important: Notice that there two places where you insert your Bluemix email and one place where you insert the name of the app on Bluemix!
There is a lot going on here. So I will try to summarize it: In the before_deploy section, Travis is building the app, logging into Bluemix as you, and then downloading a Cloud Foundry plugin called Autopilot. Then in the deploy section, Travis decides if the deploy is an open pull request or an actual commit to the Github master branch. If it is an actual commit, run Autopilot to deploy the app.
Autopilot practices Blue-Green Deployment. This means that the new version of your app will be given the name <my-app>-venerable on Bluemix. If the new version builds and runs successfully, the old version of the app is deleted and the new version renames itself to the original name. If the deploy fails, <my-app>-venerable stays up so that you can debug the logs and the old version of the app keeps running so your users see zero downtime!
?????
Dope DevOps, Batman! Navigate to https://travis-ci.org/<github-username>/<app-name>/builds and you should see a Travis build about to happen. If you click into it, you can watch it start and follow it deploying for you!
?????
Fetch API Data While Keeping Keys Secure
Most apps use data from different sources to put together their offerring. For an app to get external data, they use an API to fetch the data. For the API to make sure the right app is fetching data, the app is given a key to identify itself. We need to keep this key secret from our Github repo though!
- First, let’s ask the Github API for a key. Under “Select scopes”, we will check public_repoto get your repo information. Click “Generate token” and then you will get a key next to a green checkmark!
- It is time to add the key to our project locally as keys.jsonin the root of our project:
{  "github": "<your-github-key>"}
However, we do not want your precious key to be uploaded to your Github repo. So, add this file to your .gitignore file:
# misc.DS_Store.envnpm-debug.log*yarn-debug.log*yarn-error.log*keys.json
- Now that we have your key, we can add a server request. Install Request to your project with yarn add requestand then edit your server’sindex.js:
import compression from 'compression';import express from 'express';import fs from 'fs';import request from 'request';
const app = express();const port = process.env.PORT || 8080;app.use(compression());
let keys;if (fs.existsSync('./keys.json')) {  keys = require('./keys.json');} else {  keys = JSON.parse(process.env.VCAP_SERVICES)['user-provided'][0].credentials;}
app.get('/github', (req, res) => {  request({    url: `https://api.github.com/user/repos?affiliation=owner,collaborator&access_token=${keys.github}`,    headers: {      'user-agent': 'node.js',    },  }, (err, response, body) => {    if (!err && response.statusCode === 200) {      res.send(body);    }  });});
app.use(express.static('./build'));
app.listen(port, (err) => {  if (err) {    console.log(err);    return;  }  console.log(`Server is live at http://localhost:${port}`);});
You will first notice an if statement checking if we have the local keys.json file. The “else” in that statement will cover when the app is on Bluemix later. We then have an endpoint where pinging [http://localhost:8080/github](http://localhost:8080/github) will return your profile’s repos!
- Open up src/App.jsto fetch that data to your UI from your server. After these additions,yarn startshould show all of your project’s repos listed :
import React, { Component } from 'react';import logo from './logo.svg';import './App.css';
class App extends Component {
  state = {    repos: [],  }
  componentDidMount() {    fetch('/github')    .then(response => response.json())    .then((data) => {      const repos = data.map((repo) =>        <p key={repo.id}>{repo.name}</p>      );
      this.setState({ repos })    });  }
render() {    return (      <div className="App">        <div className="App-header">          <img src={logo} className="App-logo" alt="logo" />          <h2>Welcome to React</h2>        </div>        <p className="App-intro">          To get started, edit <code>src/App.js</code> and save to reload.        </p>        <h3>App Creator's Repos:</h3>        {this.state.repos}      </div>    );  }}
export default App;
- Now that we can use the Github API securely in dev mode, let’s make sure your Bluemix app can also get the API key. We are going to create a user-provided service on Bluemix in the terminal: cf cups keys -p keys.json. Then tell themanifest.jsonthat the app should always bind itself to that service:
---applications:- name: <app-name>  buildpack: https://github.com/cloudfoundry/nodejs-buildpack  command: npm run bluemix  disk_quota: 256MB  memory: 128MB  services:     - keys
Side Note: If you ever need to update the keys on Bluemix, you can run cf uups keys -p keys.json!
?????
After Travis updates your Bluemix app, you should see the UI fetching all of your repos live on the web! We did go through a lot of trouble keeping the keys off of github.com. This is because other devs can abuse your API keys if they get a lot of them.
?????
Create a Staging App for Experimentation
Now that our production version of the app has DevOps set up, let’s build a staging app. This will help us share works-in-progress for user testing and peer review!
- We need to make a manifest file for Bluemix that specifies our new staging app now. In the root of your project, make a manifest-staging.ymlfile:
---applications:- name: <my-app>-staging  buildpack: https://github.com/cloudfoundry/nodejs-buildpack  command: npm run bluemix  disk_quota: 256MB  memory: 128MB  services:     - keys
- Go ahead and deploy this staging app directly to Bluemix with the new manifest file: - cf push -f manifest-staging.yml
- Then we are going to edit the deploy scripts in - .travis.yml. We need to change the original deploy script for when we commit to master to update the new staging app. We also need to add a new deploy script for the original production app:
deploy:  - edge: true    provider: script    script: if [ "$TRAVIS_PULL_REQUEST" = "false" ]; then cf zero-downtime-push <my-app>-staging -f ./manifest-staging.yml; else echo "PR skip deploy"; fi    skip_cleanup: true    on:      branch: master  - edge: true    provider: script    script: if [ "$TRAVIS_PULL_REQUEST" = "false" ]; then cf zero-downtime-push <my-app> -f ./manifest.yml; else echo "PR skip deploy"; fi    skip_cleanup: true    on:      tags: true
So now that we update the staging app by committing to the Github master branch, how do we update the production app? You will use Github’s Releases functionality as if your app is a real offerring. ?
- Go ahead and push your latest changes to Github! Then navigate to “Releases” on the Github repo and create a new release.
?????
Based on the last step, you should see two builds in queue on Travis CI. One will be the staging app updating because of the latest commit. The other will be your production app updating because of the new release!
?????
The Final, Most Important Value of DevOps
I want to end this write-up by stressing the most important part of DevOps: automated testing. Whenever Travis runs, including in opened pull requests, it will check that the command yarn test passes before taking action. Create React App already has yarn test configured with Jest. However, you can add accessibility, linting, and any other testing framework you are familiar with!
To recap what we have done: First, we quickly got our React project configured thanks to Create React App. Then we built a simple server. We pushed the app into the world. Next, we got Travis deploying the app (with zero downtime) for any of our changes. Then we used the Github API while keeping our key away from public eyes. Lastly, we also set up a staging app so that we could test pre-release.
I hope this project has helped make your workflow easier as you make epic web apps! A big ? goes to the contributors of Babel, Create React App, Express, Node, and all other packages used. Also, all the ❤️️ goes to Bluemix, Github, and Travis CI for their free tiers.
Please share in the comments or tweet me if this helped you! I also would love to hear of different workflows!
You can also contact me by leaving a comment, emailing me, or tweeting to @seejamescode. I work in ATX for IBM Design, and always love conversations with the web design community.
You may also like…
How to crank your progressive web app’s Google Lighthouse score up to 100
_If there’s one message the Chrome Dev Team wants to drive home to developers, it’s this: performance matters._medium.freecodecamp.com
