DEV Community

Cover image for Material-UI: Get started (Fast!) ⚡ React 16+
Erik Engi
Erik Engi

Posted on • Updated on

Material-UI: Get started (Fast!) ⚡ React 16+

How to get started with Material-UI?

Here is the easy and the right way in my opinion.

Just go and follow the instructions right here:

GitHub logo kireerik / razzle-material-ui-styled-example

Razzle Material-UI example with Styled Components using Express with compression

Razzle Material-UI Styled Example

Node.js        Yarn        Razzle        Express

React        Styled Components        Material-UI


GitPunch
Star and get notified about new releases via email

Features

  • Razzle
    • Server Side Rendering
    • Hot Module Replacement for both client and server side ReactReact components
    • Up to date JavaScript (ECMAScript 6 (2015)) support
    • Single route static site generation
  • Express server with gzip compression

Getting Started

  • Initial steps
    • Install Node.js and Yarn.
    • Download or clone this repository.
    • Open a command prompt in the project folder.

Install dependencies:

yarn install
Enter fullscreen mode Exit fullscreen mode

Start the server:

yarn start
Enter fullscreen mode Exit fullscreen mode

This command initiates a build process and starts the server in production mode.

Visit http://localhost/ to access the web application.

Development

Start the server in development mode:

yarn dev
Enter fullscreen mode Exit fullscreen mode

Single route static site generation

Generate a static site:

yarn static
Enter fullscreen mode Exit fullscreen mode

Open the index.html within the static folder to access the web application. The…

Wait! Are you on some kind of Unix based system? Mac? Linux? If so you might want to change the PORT within the .env file, which I have set to 80 which works on Windows. Razzle's default is 3000 so you can remove that line if you feel like it.

The project is up and running.

development mode

Go wild and experiment!

I am not joking. Close this article right now and try the project instead!

Just kidding! 😄 You can read on later...

Are you lazy? Start the project on Codenvy instead! One click and the project is up and running after login.

Are you still reading? All right, I will hold your hand and walk you through it.

Usage

Things will get boring here. I have told you to try it yourself instead.

All right, jokes aside. We are getting serious here.

Basic

folder structure

Folder structure

  • public ⬅Static files are here.
  • src
    • application/Main.js ⬅The main React.js component.
    • server.js ⬅Serves the minified HTML.
    • client.js, index.js, static.js ⬅"Lower level" scripts (will discuss later).

As you may already figured out. The Main.js contains the React.js component. So basically you can change the main content of your site here.

source code

The server.js renders the React.js application, collects the styles, and serves all of this content as HTML when you visit the site.

Inspect the source code! Yes, the dream came true. It is a properly minified one-liner. You can modify your main HTML here, mainly your header.

How to actually start the project is detailed in the already linked readme. Features of the example project are listed there too.

📝 Code

Styling components in Main.js is this easy with Styled Components:

import styled from 'styled-components'

const Div = styled.div`
    text-align: center;
`

export const Main = () => <Div></Div>
Enter fullscreen mode Exit fullscreen mode

This is how Server Side Rendering works with Styled Components in server.js:

import {renderToString} from 'react-dom/server'
import {ServerStyleSheet} from 'styled-components'

import Application from './application/Main'

const sheet = new ServerStyleSheet()
, html = renderToString(sheet.collectStyles(<Application />))
, css = sheet.getStyleTags()

// server response to send:
    `<!DOCTYPE HTML>
    <html lang="en">
        <head>` + css + `</head>
        <body>
            <div id="root">` + html + `</div>
        </body>
    </html>`
Enter fullscreen mode Exit fullscreen mode

It also includes some extra, like compression for static resources and HTML minification:

import {minify} from 'html-minifier'

minify(
    `<!DOCTYPE HTML><html lang="en">...</html>`
, {
    collapseWhitespace: true
    , removeComments: true
    , minifyCSS: true
    , minifyJS: true
})
Enter fullscreen mode Exit fullscreen mode

Advanced

The src/index.js is the main entry point for the server. This is required by Razzle.

The src/client.js is the main entry point for the browser. This is also required by Razzle.

The optional .env contains some environment variable definitions.

You can find the build scripts in package.json under the scripts object.

📝 Code

This is how the main entry point (index.js) starts the server (server.js):

import express from 'express'
import server from './server'

export default express()
    .use((request, response) => server.handle(request, response))
    .listen(process.env.PORT)
Enter fullscreen mode Exit fullscreen mode

Here is the full simplest version of index.js.

The client.js entry point hydrates the already rendered application in the browser:

import {hydrate} from 'react-dom'

import Application from './application/Main'

hydrate(<Application />, document.getElementById('root'))
Enter fullscreen mode Exit fullscreen mode

In package.json, the start script is using a build and run approach:

{
    "scripts": {
        "start": "razzle build && cross-env NODE_ENV=production node build/server.js"
    }
}
Enter fullscreen mode Exit fullscreen mode

yarn start.gif

Material-UI

Server Side Rendering makes it a bit more complex to use Material-UI properly. Setting the userAgent is not necessarily straightforward (at least for me). However, the documentation is not that bad.

The following codes with the links are hopefully giving some context:
server.js:

renderToString(<Application userAgent={request.headers['user-agent']} />)
Enter fullscreen mode Exit fullscreen mode

client.js:

hydrate(<Application userAgent={navigator.userAgent} />, document.getElementById('root'))
Enter fullscreen mode Exit fullscreen mode

Main.js:

class Main extends Component {
    constructor(properties) {
        super(properties)

        this.muiTheme = getMuiTheme({
            userAgent: properties.userAgent
        })
    }

    render = () =>
        <MuiThemeProvider muiTheme={this.muiTheme}></MuiThemeProvider>
}
Enter fullscreen mode Exit fullscreen mode

Read this solution on Stack Overflow and press the vote up button if you find it useful too.

Single route static site generation

The optional static.js is called from the main server entry point (index.js). It grabs the already generated static resources and copies them into the static folder. Plus it visits the URL and saves the HTML response:

import http from 'http'
import fs from 'fs-extra'

const staticDirectory = process.env.RAZZLE_STATIC_PATH || 'static'

http.get({url: 'http://' + process.env.HOST + ':' + process.env.PORT
    , headers: {'User-Agent': 'all'}
}, response =>
    response.on('data', html =>
        fs.writeFile(staticDirectory + '/' + 'index.html', html)
    )
)
Enter fullscreen mode Exit fullscreen mode

static site generation

The static site generation script is somewhat complex:

{
    "scripts": {
        "static": "cross-env RAZZLE_STATIC=true razzle build && cross-env NODE_ENV=production node build/server.js"
    }
}
Enter fullscreen mode Exit fullscreen mode
  1. A regular Razzle build is created with the static setting (RAZZLE_STATIC=true) baked into the generated server side code.
  2. This build is started in production mode.
  3. The static generator is only executed this time. It performs the steps described before and closes the server.

About the example

Motivation

I wanted to create a more current and appealing version of Search is Back!. Why? Because I thought I could do it better and I still think I can.
I quickly realized that I will need to combine a couple of technologies to implement my vision.

So "...after testing a bunch of example projects, I ended up finding and using Razzle." (source)

I also needed to choose between Material-UI and Muse UI. (Using material design was no question for me at this point.) I considered other libraries as well. But I quickly fell in love with Material-UI's checkbox animation. It was really robust anyway.

checkbox animation

First, I wanted to go with Muse UI, which is a port of Material-UI because I thought I would like Vue.js more than React.js.

However, its documentation was Chinese only at that time, so I choose the original library instead.

Having the CSS and HTML kind of combined into JavaScript using React.js felt a bit strange for the first time. Later, when I used Vue.js for some small client projects, I realized that I actually like the React way a bit more, especially with Styled Components.

Eventually, I created this example project. So I was able to start with my real one called Facebook Searcher:


Facebook Searcher

It is a simple search form that builds a link so you can make custom searches currently for people on Facebook the regular way.
You can already use the implemented fields and it already gives more freedom than its competitor.

For example, you can list Facebook users with an interest in both sexes (which Facebook supports). It is still under development and some features are waiting for implementation.
So feel free to let me know if you want to support this project in any way!

Other reasons

What is Razzle?

A framework-agnostic build tool for server-rendered universal JavaScript applications.

Why Razzle?

Server side rendering is easy with Razzle. This was a must have for me. Plus, it doesn't force you to use solutions that you don't want to use.

So it "...is [...] minimalistic..." (source)

Hot module reloading is also a nice feature to have. Customizing or extending defaults is simple too.

All this makes Razzle "...a nearly framework-agnostic build system..." which "...will 100% work with Angular, Vue, Rax, Preact, Inferno, React-XP, RN-Web..." - Jared Palmer (source)

Who is using it?

What's next?

Facebook Searcher was first "deployed" to an old-school hosting provider. I had Secure Shell access there, so I was able to install Node.js.

I used Process Manager 2 to make sure it is running no matter what. Of course, this wasn't as fast as having a static website. Plus, I didn't have a good framework for deployments and updates in place. After a while, I started to save the HTML by hand and publish the application on Netlify this way. It was more reliable and the application loaded way faster too.

Later on, I switched to Firebase Hosting, which is even faster and even more reliable in general. I implemented the static site generation feature somewhere at this point. Doing it by hand was unsustainable for sure. Now I can build and deploy Facebook Searcher with just one command. I can now focus hard on implementing the remaining features.

firebase deploy.png

Deploying our application to Firebase Hosting is easy. Moreover, we can still deploy it as a Firebase Function instead (basic example). Maybe this topic alone would worth another article regardless the easiness.

Currently, my project doesn't come with rooting. If you need it for your project, you can add a router or you can consider using After.js instead, which is basically Razzle with routing and related capabilities.

I am also looking forward to updating the project to the 1. version of Material-UI once they release it and add back the checkbox animations that I love so much.

Take away

Experimenting and or reading this article you can use Material-UI quickly and easily in a sophisticated way. So go ahead and build something wonderful! 🎉

Would you use this setup? Do you prefer something else?

Reply, ask and share your experience in the comments below!

Did you enjoy this article?

⬇ 💖Heart the article!

Share this step-by-step guide with your friends and colleges!

Copy the link from the address bar. Message your peers directly. 👋Say hi and send the article to them.

💌 Newsletter

by Erik Engi

Subscribe now and get actionable technical articles into your inbox.

Erik will only email you when he has something important to say. Just like you, he is usually very busy. So this will only happen every now and then and you can unsubscribe at any time.

Follow Erik Engi on DEV and on Medium to get notified about new articles.

Work with Erik Engi

Do you or your company have valuable projects and products? Want to extend your team with a world-class developer?

Hire now – Erik is available for hire

Oengi.com

Erik can work full time for you or at your company.
Do you or your team need programming help? Book 1:1 sessions with Erik!


Originally published at codementor.io.

Top comments (0)