GithubHelp home page GithubHelp logo

isabella232 / vip-gm2019-workshop-node Goto Github PK

View Code? Open in Web Editor NEW

This project forked from automattic/vip-gm2019-workshop-node

0.0 0.0 0.0 12.43 MB

Demystifying Node and React - VIP GM 2019 Workshop (NO LONGER MAINTAINED)

JavaScript 72.87% HTML 14.10% CSS 6.10% Shell 2.59% Dockerfile 2.29% PHP 2.05%

vip-gm2019-workshop-node's Introduction

Demystifying Node and React - VIP GM 2019 Workshop

vip-gm2019-workshop-node

Objectives

Demonstrate a full Node.js, React, Redis stack interacting with WordPress

Show the differences between a node.js server, a React client, and the other components

Please use the slides!

How to use this repository

Set this repository up in your home directory

$ git clone https://github.com/Automattic/vip-gm2019-workshop-node.git
$ cd vip-gm2019-workshop-node

Desktop Exercises

Setting up Node.js

Install NVM and Node:

Install Node Version Manager

$ curl -o- https://raw.githubusercontent.com/nvm-sh/nvm/v0.34.0/install.sh | bash

Install Node.js LTS

$ nvm install 10
$ nvm use 10
$ nvm ls

Install Yarn, an alternative package manager (or use NPM if you prefer)

$ curl -o- -L https://yarnpkg.com/install.sh | bash
$ yarn --version

Exercise 1: Creating a Node.js server: part one

In this exercise we'll create a Node.js server application that handles one request

Create a new folder and use npm (or yarn) to initialize

$ mkdir server
$ cd server
$ npm init -y
# or, with yarn
$ yarn init -y

Install Express.js

# install with npm
$ npm i express
# or install with yarn
$ yarn add express

Create a server.js file (it doesn't need to be named server, but it's more descriptive)

$ touch server.js

Copy the contents of index.js in the exercise directory into the new file

// v1 - basic ping/pong demo

const express = require('express')
const port = 4000

// Express
const app = express()

// Define a route responding to GET requests for /ping
app.get('/ping', (req, res) => {
    return res.send('pong')
})

// Listen to traffic on a port
app.listen(port, () => {
    console.log(`listening on PORT ${port}`)
})

Execute the file ("run it")

$ node server.js

Test it using curl (in another Terminal window), or your browser

$ curl http://localhost:4000/ping

To stop the server, press CTRL-C

Exercise 2 - Creating a Node.js server: Part Two

In this exercise we'll add some logging

Install morgan:

$ npm i morgan
# or (yarn)
$ yarn add morgan

Note that this modifies the package.json file and node_modules directory; this happens every time you add/remove a package from your project.

Add morgan to your app

Require it (below the other require statements)

const morgan = require('morgan');

And then after app is created:

app.use( morgan('dev') );

Now run the server again and test it again. You should see each request logged.

If you have any problems, the code updates are in Exercise 2

Exercise 3: Fetching data

This exercise will add a remote request to the project

Install axios and cors:

$ npm i axios cors

Require them in server.js:

const axios = require('axios');
const cors = require('cors');

Then use cors and json (from Express.js) with the app:

app.use( express.json() )
app.use( cors() );

Add a /users route:

app.get( '/users', async (req, res) => {
    const count = req.query.count || 10;
    const response = await axios.get( 'https://randomuser.me/api?results=' + count );
    res.json( { data: response.data.results } );
})

Start the server again:

$ node server.js

Test using curl or your browser:

$ curl localhost:4000/users
$ curl localhost:4000/users?count=1

Exercise 3 - Create a React app

Install the create-react-app globally

$ yarn global add create-react-app
// or
$ npm install -g create-react-app

$ create-react-app myApp
$ cd myApp

$ yarn start
// or
$ npm start

Replace your App.js file with this one:

$ cp vip-gm2019-workshop-node/exercises/ex4-react-node/App.js src/App.js

Now if you have the node server running on port 4000, your React project on port 3000 can make requests for users to it.

Exercise 4 - Build and serve React with Node.js

Build the app for production

$ yarn build
// or 
$ npm run build

Back in the server (or index.js), define the static files to be served:

// Import the path library
const path = require( 'path' );

// Serve client built files
app.use( express.static( path.join( __dirname, '../path/build/directory/' ) ) )

Respond to requests for / with our index file

// map / to serve index.html
app.get( '/', ( req, res ) => {
    res.sendFile( 'index.html', {
        root: path.join( __dirname, '../path/build/directory' ) }
    );
} );

Now restart the server:

$ node index.js //or server.js

Exercise 5 - Redis caching

Install redis

$ brew install redis

Two ways to start redis:

// redis as a backend service (opened automatically after reboot…)
$ brew services start redis

// redis as a simple service
$ redis-server /usr/local/etc/redis.conf

Start the cli:

$ redis-cli
> get foo
(nil)
> set foo bar
OK
> get foo
"bar"
> exit
$

Install redis client to the server project

$ npm install redis
// or
$ yarn add redis

Require the redis client class and create the client:

const redis = require( 'redis' );
const client = redis.createClient( 6379 );

Replace the /users route with:

app.get( '/users', async ( req, res ) => {
    const count = req.query.count || 10;
    const cacheKey = 'users-' + count;
    return client.get( cacheKey, async ( err, results ) => {
        if ( results ) {
            return res.json({ source: 'cache', data: JSON.parse(results) })
        }

        const response = await axios.get( 'https://randomuser.me/api?results=${count}' )

        client.setex( cacheKey, 3600, JSON.stringify(response.data.results) )
        
        res.json( { source: 'api', data: response.data.results } )
   } )
} )

Restart your server, and try it:

$ curl localhost:4000/users?count=1
$ curl localhost:4000/users?count=1
$ curl localhost:4000/users?count=2
$ curl localhost:4000/users?count=2

The logs should display something like:

GET /users?count=1 200 315.831 ms - 1097
GET /users?count=1 200 0.964 ms - 1099
GET /users?count=2 200 135.653 ms - 2148
GET /users?count=2 200 0.618 ms - 2150

Desktop Exercises Review

A complete project is in the full-desktop directory.

Run these commands:

TK

Docker exercises

This is a complete, working project that we'll go through so you understand what the pieces are, and then you can modify and rebuild it

Here are the steps to get the full environment up and running

$ cd full-docker
$ ./bin/jumpstart.sh

All the container logs will display in the same window

Open http://localhost:2000 to run WordPress (user welcome/welcome)

Open http://localhost:4000 to load the Node/React project

Customizing

You can modify or tailor the jumpstart commands to start with an empty WordPress DB - if the DB is not initialized from the SQL dump, this will go through the usual WordPress set up steps. You can also skip the uploads folder.

To shell into the host:

$ docker exec -it full-docker_web_1 /bin/bash

To stop & restart:

$ docker-compose down
$ docker-compose up --build

When customizing the client, be sure to run yarn install before testing, then yard start to test locally, and finally yarn build to build the files before restarting the docker compose containers and rebuilding the node container.

vip-gm2019-workshop-node's People

Contributors

alexiskulash avatar dependabot[bot] avatar elazzabi avatar joshbetz avatar nickdaugherty avatar rogertheriault avatar

Recommend Projects

  • React photo React

    A declarative, efficient, and flexible JavaScript library for building user interfaces.

  • Vue.js photo Vue.js

    🖖 Vue.js is a progressive, incrementally-adoptable JavaScript framework for building UI on the web.

  • Typescript photo Typescript

    TypeScript is a superset of JavaScript that compiles to clean JavaScript output.

  • TensorFlow photo TensorFlow

    An Open Source Machine Learning Framework for Everyone

  • Django photo Django

    The Web framework for perfectionists with deadlines.

  • D3 photo D3

    Bring data to life with SVG, Canvas and HTML. 📊📈🎉

Recommend Topics

  • javascript

    JavaScript (JS) is a lightweight interpreted programming language with first-class functions.

  • web

    Some thing interesting about web. New door for the world.

  • server

    A server is a program made to process requests and deliver data to clients.

  • Machine learning

    Machine learning is a way of modeling and interpreting data that allows a piece of software to respond intelligently.

  • Game

    Some thing interesting about game, make everyone happy.

Recommend Org

  • Facebook photo Facebook

    We are working to build community through open source technology. NB: members must have two-factor auth.

  • Microsoft photo Microsoft

    Open source projects and samples from Microsoft.

  • Google photo Google

    Google ❤️ Open Source for everyone.

  • D3 photo D3

    Data-Driven Documents codes.