React, Babel + Eslint Configuration

If you want to configure your npm package to have JavaScript static code analysis then you will need to configure some form of js linter. For the purposes of this demo I will use eslint.

Before We Begin:

Packages:

Package Installations:

  1. npm install --save-dev babel
  2. npm install --save-dev babel-core
  3. npm install --save-dev babel-loader
  4. npm install --save-dev babel-preset-es2015
  5. npm install --save-dev babel-eslint //OPTIONAL
  6. npm install --save-dev eslint
  7. npm install --save-dev eslint-loader
  8. npm install --save-dev eslint-plugin-react
  9. npm install --save-dev uglifyjs-webpack-plugin

Webpack.config.js:

Webpack 3 Plugins

Add “NoEmitOnErrorsPlugin” to ensure that emitting doesn’t occur if errors are encountered.

Add “UglifyJsPlugin” to minimize your js

Add “AggressiveMergingPlugin” to get more aggressive chunk merging.

Don’t forget the loaders for babel and eslint.

  1. const UglifyJsPlugin = require('uglifyjs-webpack-plugin');
  2.  
  3. #Under module.exports add
  4. plugins: [
  5. new webpack.NoEmitOnErrorsPlugin(),
  6. new UglifyJsPlugin(),
  7. new webpack.optimize.AggressiveMergingPlugin()
  8. ],
  9. module: {
  10. loaders: [
  11. {
  12. enforce: "pre",
  13. test: /\.jsx?$/,
  14. exclude: /(node_modules|thirdparty)/,
  15. loader: "eslint-loader",
  16. },
  17. {
  18. test: /\.jsx?$/,
  19. exclude: /(node_modules)/,
  20. loader: "babel-loader",
  21. query: {
  22. presets: ["es2015","react"],
  23. }
  24. },
  25. ]
  26. }
  27.  
  28.  

.eslintrc

You can set anything in your .eslintrc file. Here are just some that I use. All the rules starting with “react” are from “eslint-plugin-react” package.

  1. {
  2. "parser": "babel-eslint",
  3. "env": {
  4. "browser": true,
  5. "mocha": true,
  6. "es6": true
  7. },
  8. "globals": {
  9. "require": true
  10. },
  11. "plugins": [
  12. "react"
  13. ],
  14. "rules": {
  15. "new-cap": 0, //disabled
  16. "strict": 0, //disabled
  17. "semi": [2, "always"], //semi-colon required
  18. "no-underscore-dangle": 0, //no underscores before and after off
  19. "no-use-before-define": 1, //Make sure you define then use
  20. "eol-last": 0, //File doesn't need a newline at end
  21. "no-trailing-spaces": [2, { skipBlankLines: true }],
  22. "no-unused-vars": [1, {"vars": "all", "args": "none"}],
  23. "quotes": [
  24. 2,
  25. "double"
  26. ],
  27.   "jsx-quotes": [2, "prefer-double"], //Must use double quotes
  28. "react/jsx-boolean-value": 1, //warning when no value is set for boolean
  29. "react/jsx-no-undef": 2, //error: undeclared variables
  30. "react/jsx-uses-react": 1, //Warn: Prevent incorrectly unused
  31. "react/jsx-uses-vars": 1, //Warn: Prevent unused variables
  32. "react/no-did-mount-set-state": 0, //Off: Prevent setState in componentDidMount
  33. "react/no-did-update-set-state": 0, //Off: Prevent setState in componentDidUpdate
  34. "react/no-multi-comp": 1, //Warn: Prevent only one component per file
  35. "react/no-unknown-property": 1, //Warn: Prevent unknown DOM
  36. "react/react-in-jsx-scope": 1, //Warn: Prevent missing React
  37. "react/self-closing-comp": 1 //Warn: Prevent extra closing tags
  38. }
  39. }

.eslintignore

Use this file to ignore any files or folders.

  1. app/folder/**

.babelrc

This is the config file for babel.

  1. {
  2. "presets": [ "es2015" ]
  3. }

Package.json

If you want to run eslint from npm then you have to modify your package.json with the following line. –ext is what extension you want to test against.

If you want a third party to run reports on your eslint then add to the end “-f checkstyle > eslint.xml

  1. "scripts": {
  2. "eslint": "eslint app --ext .jsx --ext .js"
  3. }

Django: React Website

In this tutorial I will demonstrate how to create a Django + React website using Django 2.0. You must have Eclipse installed before you continue. If you have it already installed and configured you can continue on. We will require Postgres 9.4, nodejs before you continue. You can get Nodejs from here. You can get Postgres 9.4 from here.

Pip Django Install:
  1. pip install django
  2. pip install django-webpack-loader
Django Version:

If you are not sure what version you are running do the following

  1. python -c "import django; print(django.get_version())"
Eclipse Create Project:

 

 

 

 

 

 

Eclipse Setup Project:

 

 

 

 

 

 

 

 

 

 

 

 

 

 

Eclipse Django DB Settings:

 

 

 

 

 

 

 

 

 

 

 

 

 

Eclipse Django Setup Successful:

Once you click “Finish” your project will look like the following.

 

 

 

Folder Structure:
  • Under djangoApp project.
  • folder: static
  • folder: djangoApp
    • folder: templates
      • file: index.html
      • folder: base
        • file: base.html
  • folder: assets
    • folder: bundles
    • folder: js
      • file: index.jsx
Node:

Inside the djangoApp application do the following

  1. npm init
  2. npm install --save-dev jquery react react-dom webpack webpack-bundle-tracker babel-loader babel-core babel-preset-es2015 babel-preset-react
  3. npm install create-react-class --save
webpack.config.js:
  1. var path = require('path')
  2. var webpack = require('webpack')
  3. var BundleTracker = require('webpack-bundle-tracker')
  4.  
  5. module.exports = {
  6. //the base directory (absolute path) for resolving the entry option
  7. context: __dirname,
  8. //the entry point we created earlier. Note that './' means
  9. //your current directory.
  10. entry: {
  11. "index": [path.resolve(__dirname, "./assets/js/index.jsx")],
  12. },
  13. output: {
  14. path: path.resolve('./assets/bundles/'),
  15. filename: "[name]-[hash].js",
  16. },
  17. plugins: [
  18. //tells webpack where to store data about your bundles.
  19. new BundleTracker({filename: './webpack-stats.json'}),
  20. //makes jQuery available in every module
  21. new webpack.ProvidePlugin({
  22. $: 'jquery',
  23. jQuery: 'jquery',
  24. 'window.jQuery': 'jquery'
  25. })
  26. ],
  27. module: {
  28. loaders: [
  29. {
  30. test: /\.jsx?$/,
  31. exclude: /(node_modules)/,
  32. loader: 'babel-loader',
  33. query: {
  34. presets: ['react','es2015']
  35. }
  36. }
  37. ]
  38. }
  39. }
djangoApp\Settings.py:

Installed Apps

  1. INSTALLED_APPS = [
  2. 'django.contrib.admin',
  3. 'django.contrib.auth',
  4. 'django.contrib.contenttypes',
  5. 'django.contrib.sessions',
  6. 'django.contrib.messages',
  7. 'django.contrib.staticfiles',
  8. 'webpack_loader',
  9. ]

Add/Edit the following template directive

  1. TEMPLATES = [
  2. {
  3. 'BACKEND': 'django.template.backends.django.DjangoTemplates',
  4. 'DIRS': [os.path.join(BASE_DIR, 'djangoApp', 'templates'),],
  5. 'APP_DIRS': True,
  6. 'OPTIONS': {
  7. 'context_processors': [
  8. 'django.template.context_processors.debug',
  9. 'django.template.context_processors.request',
  10. 'django.contrib.auth.context_processors.auth',
  11. 'django.contrib.messages.context_processors.messages',
  12. ],
  13. },
  14. },]

Add the following static directive

  1. STATIC_URL = '/static/'
  2.  
  3. STATICFILES_DIRS = [
  4. os.path.join(BASE_DIR, 'assets'),
  5. ]

Modify DATABASES

  1. DATABASES = {
  2. 'default': {
  3. 'ENGINE': 'django.db.backends.postgresql_psycopg2',
  4. 'NAME': 'YOUR_DB_NAME',
  5. 'USER': 'YOUR_USER',
  6. 'PASSWORD': 'YOUR_PASSWORD',
  7. 'HOST': 'localhost',
  8. 'PORT': 5432
  9. }
  10. }

Webpack Loader

  1. WEBPACK_LOADER = {
  2. 'DEFAULT': {
  3. 'BUNDLE_DIR_NAME': 'bundles/',
  4. 'STATS_FILE': os.path.join(BASE_DIR, 'webpack-stats.json'),
  5. }
  6. }
djangoApp\views.py:

We will create our index page view. Notice the third dict. Those are variables passed to the template to make our site dynamic

  1. from django.shortcuts import render
  2.  
  3. def index(request):
  4. return render(request, 'index.html', {'title': 'Index Page', 'script_name': 'index'})
djangoApp\urls.py:

Add the following imports

  1. from django.conf.urls import url
  2. #This is the index view we created above
  3. from djangoApp.views import index
  4.  
  5. urlpatterns = [
  6. url(r'^$', index, name='index'),
  7. path('admin/', admin.site.urls),
  8. ]
djangoApp\templates\base\base.html:

Let’s setup our base template and setup our blocks that the other templates will inherit from.

  1. <html>
  2. <head>
  3. <title>{% block title %}{% endblock %}</title>
  4. </head>
  5. <body>
  6. {% block content %}
  7. {% endblock %}
  8. </body>
  9. </html>
djangoApp\templates\index.html:

The important parts here are the extends otherwise your base.html template won’t be inherited. As well the {% with %} and title variable makes our template dynamic and allows us to incorporate react in our site.

  1. {% extends "base/base.html" %}
  2. {% load render_bundle from webpack_loader %}
  3. {% load staticfiles %}
  4. {% block title %}
  5. {{title}}
  6. {% endblock %}
  7. {% block content %}
  8. <div id="container"></div>
  9. {% with script=script_name %}
  10. {% render_bundle script 'js' %}
  11. {% endwith %}
  12. {% endblock %}
assets\js\index.jsx:

This is our react class.

  1. var React = require('react');
  2. var ReactDOM = require('react-dom');
  3. var createReactClass = require('create-react-class');
  4.  
  5. var App = createReactClass({
  6. render: function() {
  7. return (
  8. <h1>
  9. React App Page
  10. </h1>
  11. )
  12. }
  13. });
  14.  
  15. ReactDOM.render(<App />, document.getElementById('container'));
Database Setup/Migration:

For this tutorial we used postgres. At this time please make sure you create your djangoApp db and user you specified in the settings.py file. Then run the following commands in order.

  1. #Migrates the auth
  2. python manage.py migrate auth
  3. #migrates the rest
  4. python manage.py migrate
  5. #Create the user for accessing the django admin ui
  6. #This will ask you for user names and passwords. Don't make it the same as in your settings.py file.
  7. python manage.py createsuperuser
Start Server:
  1. webpack -p
  2. python manage.py runserver

Your site is now running at http://localhost:8000.

Your admin site is now running at http://localhost:8000/admin/.

 

References:

I used this video as a guideline to get the project started. However some didn’t work right and needed to adjust and made adjustments to require just one template, etc.