In the previous six sessions, you’ve built a blogging system from the ground up. Everything’s working, and that’s great! However, the code itself is quite messy—we’ve been bootstrapping things together and left a lot of repetitive code and temporary solutions behind. This session is going to focus on how you can clean things up and fix a few issues we’ve been having.
First of all, since we have a router now (if you missed that session, check out Part 5: Router), we no longer need two separate .html
and .js
files. Let’s merge them together.
At this point, I would suggest merging admin.html
and admin.js
and renaming them as index.html
and blog.js
because they have more logic and code, but you can do it either way. This should be fairly simple.
If you are renaming the files, just make sure you link to blog.js
in the new index.html
(previously admin.html
). Also, remember to copy over #blogs-tpl
from the old index.html
file to the new one and copy over BlogsView
from the old blog.js
file to the new one.
Now visit http://localhost/your-directory/ and you should be seeing the login screen by default (or the admin screen if you are logged in already).
Then, we can add a new URL pattern in the router to match the root URL to a new function; we can call it index()
:
routes: { '': 'index', ... },
This index()
function should render what’s previously on the homepage.
index: function() { this.blogs.fetch({ success: function(blogs) { var blogsView = new BlogsView({ collection: blogs }); blogsView.render(); $('.main-container').html(blogsView.el); }, error: function(blogs, error) { console.log(error); } }); }
And to see it work, let’s default redirect to that URL when the router starts:
start: function(){ Parse.history.start({pushState: true}); this.navigate('', { trigger: true }); }
The next thing is to update the navigation bar on the top. Let’s change those HTML files to URLs here:
<nav class="blog-nav"> <a class="blog-nav-item active" href="">Home</a> <a class="blog-nav-item" href="admin">Admin</a> </nav>
And for those to work, we need to add an event to .blog-nav-item
to use blogRouter.navigate()
rather than the default link event:
$(document).on('click', '.blog-nav-item', function(e) { e.preventDefault(); var href = $(e.target).attr('href'); blogRouter.navigate(href, { trigger: true }); });
And let’s add logic to toggle the .active
class, too:
$(document).on('click', '.blog-nav-item', function(e) { e.preventDefault(); var href = $(e.target).attr('href'); blogRouter.navigate(href, { trigger: true }); $(this).addClass('active').siblings().removeClass('active'); });
Now if you click around, everything should be working!
Moving on, we can see AddBlogView
and EditBlogView
are pretty similar. So are update()
and create()
function in the Blog
class. Let’s merge those as well.
First, let’s merge the two templates in index.html
to be #write-tpl
.
<script id="write-tpl" type="text/x-handlebars-template"> <h2>{{form_title}}</h2> <form class="form-write" role="form"> <div class="form-group"> <label for="title">Title</label> <input name="title" type="text" class="form-control" id="title" value="{{title}}"></input> </div> <div class="form-group"> <label for="content">Content</label> <textarea name="content" class="form-control" rows="20">{{{content}}}</textarea> </div> <button class="btn btn-lg btn-primary btn-block" type="submit">Submit</button> </form> </script>
You can see that it’s basically #edit-tpl
with class name changes and a dynamic form title. We will just pass ""
into title
and content
when adding a new blog.
Next, let’s merge the update()
and create()
functions in the Blog class. We can chain this.set().save()
functions for both update()
and create()
. For the fields that don’t need to be touched by the update()
function, we can fill with the current value:
update: function(title, content) { this.set({ 'title': title, 'content': content, // Set author to the existing blog author if editing, use current user if creating // The same logic goes into the following three fields 'author': this.get('author') || Parse.User.current(), 'authorName': this.get('authorName') || Parse.User.current().get('username'), 'time': this.get('time') || new Date().toDateString() }).save(null, { success: function(blog) { alert('You updated a new blog: ' + blog.get('title')); }, error: function(blog, error) { console.log(blog); console.log(error); } }); }
Now, it’s time to merge the two views:
WriteBlogView = Parse.View.extend({ template: Handlebars.compile($('#write-tpl').html()), events: { 'submit .form-write': 'submit' }, submit: function(e) { e.preventDefault(); var data = $(e.target).serializeArray(); // If there's no blog data, then create a new blog this.model = this.model || new Blog(); this.model.update(data[0].value, data[1].value); }, render: function(){ var attributes; // If the user is editing a blog, that means there will be a blog set as this.model // therefore, we use this logic to render different titles and pass in empty strings if (this.model) { attributes = this.model.toJSON(); attributes.form_title = 'Edit Blog'; } else { attributes = { form_title: 'Add a Blog', title: '', content: '' } } this.$el.html(this.template(attributes)).find('textarea').wysihtml5(); } })
Notice how you can use if(this.model)
to pivot between add and edit functions.
Finally, let’s link to this new WriteBlogView
in the router. Just change both views to WriteBlogView
and it should still be working as usual.
add: function() { // Check login if (!Parse.User.current()) { this.navigate('login', { trigger: true }); } else { var writeBlogView = new WriteBlogView(); writeBlogView.render(); $container.html(writeBlogView.el); } }, edit: function(id) { // Check login if (!Parse.User.current()) { this.navigate('login', { trigger: true }); } else { var query = new Parse.Query(Blog); query.get(id, { success: function(blog) { var writeBlogView = new WriteBlogView({ model: blog }); writeBlogView.render(); $container.html(writeBlogView.el); }, error: function(blog, error) { console.log(error); } }); } }
Notice that you should also send visitors back to the login page if they are not logged in.
Now that we’ve taken out all the repetitive code, we can now move on to some of the features we can improve on.
Many of you have asked how we can keep the data safe if the API is in the code. Parse.js provides both class-level and item-level Access Control Lists (ACLs) to help manage user access. We’ve talked about class-level ACLs in Part 3: User Login. Today, I will show you how to add an item-level ACL.
As an example, let’s assume we want every blog only to be editable by its original author.
To make that happen, we need to set the ACL
field in the update()
function:
update: function(title, content) { // Only set ACL if the blog doesn't have it if ( !this.get('ACL') ) { // Create an ACL object to grant access to the current user // (also the author of the newly created blog) var blogACL = new Parse.ACL(Parse.User.current()); // Grant read-read only access to the public so everyone can see it blogACL.setPublicReadAccess(true); // Set this ACL object to the ACL field this.setACL(blogACL); } this.set({ ... }); }
Another issue that many of you may feel is that it’s quite hard to test the blog system you are creating. Every time you test, you have to go back to http://localhost/your-directory/ to trigger the router.
Let’s solve this problem first.
Parse.js makes it quite easy to do that, so let’s just change the BlogRouter.start()
function to set a file root.
start: function(){ Parse.history.start({ // put in your directory below root: '/tutorial_blog/' }); }
Notice that we can take out the this.navigate()
function now.
Another issue with the URLs we have right now is that they can’t be bookmarked or revisited. Everything you want to do, you need to start from the main URL. For example, if you visit http://localhost/blog/admin, the router is set to accept this URL pattern but the server still returns 404. That’s because when you visit /admin
, your server doesn’t know it should actually go to index.html
to start the router in the first place.
One way to solve this problem is to configure your server so it redirects all the URLs to index.html
. But that’s not really in the scope of this class. We are going to try the other method: add a #/
before all our URLs.
The URL of the admin panel would look like this: http://localhost/blog/#/admin. It’s not really ideal, but it’s an easy way around. When the browser meets /#
, it's not going to treat the rest of the URL as a file path; instead, it will direct the user to index.html, so our Router can pick up the rest.
Now, let’s go ahead and change the href
attribute of all the <a>
tags in the index.html
from something like this:
<a class="app-link" href="edit/{{url}}">Edit</a>
to something like this:
<a class="app-link" href="#/edit/{{url}}">Edit</a>
Similarly, let’s change all the BlogApp.navigate()
in blog.js
from something like this:
BlogApp.navigate('admin', { trigger: true });
to something like this:
BlogApp.navigate('#/admin', { trigger: true });
You can take out some of the events to use the <a>
tag, too.
For example, the “Add a New Blog” button used to use an event:
events: { 'click .add-blog': 'add' }, add: function(){ blogRouter.navigate('#/add', { trigger: true }); }
We can take out those and change it to a link in index.html
:
<a href="#/add" class="add-blog btn btn-lg btn-primary">Add a New Blog</a>
You can also take out this function since the URLs will be working by themselves:
$(document).on('click', '.blog-nav-item', function(e) { e.preventDefault(); var href = $(e.target).attr('href'); blogRouter.navigate(href, { trigger: true }); $(this).addClass('active').siblings().removeClass('active'); });
Let’s also take out the active
class for now, but we will add it back and make it work in later sessions in another way.
<nav class="blog-nav"> <a class="blog-nav-item" href="">Home</a> <a class="blog-nav-item" href="#/admin">Admin</a> </nav>
Alright, go through your blog, test, and make sure all the links are now to http://localhost/#/... except the homepage.
Now you have URLs that you can refresh and revisit. Hope this makes your life a lot easier!
If you don’t mind the super-long tutorial and would like to make a few more improvements, here are a few other fixes and improvements you can do.
One thing you might also notice is that the blogs are sorted from the earliest to the latest. Usually we would expect to see the latest blogs first. So let’s change the Blogs
collection to sort them in that order:
Blogs = Parse.Collection.extend({ model: Blog, query: (new Parse.Query(Blog)).descending('createdAt') })
Here's another thing we can improve on. Instead of popping out an alert window after updating a blog, let’s just make a redirect to the /admin
page:
this.set({ ... }).save(null, { success: function(blog) { blogRouter.navigate('#/admin', { trigger: true }); }, error: function(blog, error) { ... } });
If you get into cleaning, you can also merge AdminView and WelcomeView into one—there’s no real need to have two separate views.
Again, the HTML template first:
<script id="admin-tpl" type="text/x-handlebars-template"> <h2>Welcome, {}!</h2> <a href="#/add" class="add-blog btn btn-lg btn-primary">Add a New Blog</a> <table> <thead> <tr> <th>Title</th> <th>Author</th> <th>Time</th> <th>Action</th> </tr> </thead> <tbody> {{#each blog}} <tr> <td><a class="app-link" href="#/edit/{{objectId}}">{{title}}</a></td> <td>{{authorName}}</td> <td>{{time}}</td> <td> <a class="app-link app-edit" href="#/edit/{{objectId}}">Edit</a> | <a class="app-link" href="#">Delete</a> </td> </tr> {{/each}} </tbody> </table> </script>
Then let’s change BlogRouter.admin()
to pass username
to AdminView
:
admin: function() { var currentUser = Parse.User.current(); // Check login if (!currentUser) BlogApp.navigate('#/login', { trigger: true }); this.blogs.fetch({ success: function(blogs) { var blogsAdminView = new BlogsAdminView({ // Pass in current username to be rendered in #admin-tpl username: currentUser.get('username'), collection: blogs }); blogsAdminView.render(); $('.main-container').html(blogsAdminView.el); }, error: function(blogs, error) { console.log(error); } }); }
And then pass down the username
to be rendered in #admin-tpl
:
BlogsAdminView = Parse.View.extend({ template: Handlebars.compile($('#admin-tpl').html()), render: function() { var collection = { // Pass in username as variable to be used in the template username: this.options.username, blog: this.collection.toJSON() }; this.$el.html(this.template(collection)); } })
Finally, we can store $('.main-container')
as a variable to avoid making multiple queries.
var $container = $('.main-container');
And just replace all the $('.main-container')
with $container
.
First of all, congratulations for making it to the end! It’s been a long session, but you’ve cleaned up the whole project. In addition, you also added ACL to blogs, implemented static URLs, and made a ton of other fixes. Now it’s a really solid project.
In the next session, we will speed things up and add three new functions: single blog view, delete a blog, and logout, because now you have a good understanding of Parse.js and can move forward much faster. I would recommend thinking about how to write those functions ahead of time so you can test your knowledge a little bit. Other than that, stay tuned!
The Best Small Business Web Designs by DesignRush
/Create Modern Vue Apps Using Create-Vue and Vite
/Pros and Cons of Using WordPress
/How to Fix the “There Has Been a Critical Error in Your Website” Error in WordPress
/How To Fix The “There Has Been A Critical Error in Your Website” Error in WordPress
/How to Create a Privacy Policy Page in WordPress
/How Long Does It Take to Learn JavaScript?
/The Best Way to Deep Copy an Object in JavaScript
/Adding and Removing Elements From Arrays in JavaScript
/Create a JavaScript AJAX Post Request: With and Without jQuery
/5 Real-Life Uses for the JavaScript reduce() Method
/How to Enable or Disable a Button With JavaScript: jQuery vs. Vanilla
/How to Enable or Disable a Button With JavaScript: jQuery vs Vanilla
/Confirm Yes or No With JavaScript
/How to Change the URL in JavaScript: Redirecting
/15+ Best WordPress Twitter Widgets
/27 Best Tab and Accordion Widget Plugins for WordPress (Free & Premium)
/21 Best Tab and Accordion Widget Plugins for WordPress (Free & Premium)
/30 HTML Best Practices for Beginners
/31 Best WordPress Calendar Plugins and Widgets (With 5 Free Plugins)
/25 Ridiculously Impressive HTML5 Canvas Experiments
/How to Implement Email Verification for New Members
/How to Create a Simple Web-Based Chat Application
/30 Popular WordPress User Interface Elements
/Top 18 Best Practices for Writing Super Readable Code
/Best Affiliate WooCommerce Plugins Compared
/18 Best WordPress Star Rating Plugins
/10+ Best WordPress Twitter Widgets
/20+ Best WordPress Booking and Reservation Plugins
/Working With Tables in React: Part Two
/Best CSS Animations and Effects on CodeCanyon
/30 CSS Best Practices for Beginners
/How to Create a Custom WordPress Plugin From Scratch
/10 Best Responsive HTML5 Sliders for Images and Text… and 3 Free Options
/16 Best Tab and Accordion Widget Plugins for WordPress
/18 Best WordPress Membership Plugins and 5 Free Plugins
/25 Best WooCommerce Plugins for Products, Pricing, Payments and More
/10 Best WordPress Twitter Widgets
1 /12 Best Contact Form PHP Scripts for 2020
/20 Popular WordPress User Interface Elements
/10 Best WordPress Star Rating Plugins
/12 Best CSS Animations on CodeCanyon
/12 Best WordPress Booking and Reservation Plugins
/12 Elegant CSS Pricing Tables for Your Latest Web Project
/24 Best WordPress Form Plugins for 2020
/14 Best PHP Event Calendar and Booking Scripts
/Create a Blog for Each Category or Department in Your WooCommerce Store
/8 Best WordPress Booking and Reservation Plugins
/Best Exit Popups for WordPress Compared
/Best Exit Popups for WordPress Compared
/11 Best Tab & Accordion WordPress Widgets & Plugins
/12 Best Tab & Accordion WordPress Widgets & Plugins
1 /New Course: Practical React Fundamentals
/Preview Our New Course on Angular Material
/Build Your Own CAPTCHA and Contact Form in PHP
/Object-Oriented PHP With Classes and Objects
/Best Practices for ARIA Implementation
/Accessible Apps: Barriers to Access and Getting Started With Accessibility
/Dramatically Speed Up Your React Front-End App Using Lazy Loading
/15 Best Modern JavaScript Admin Templates for React, Angular, and Vue.js
/15 Best Modern JavaScript Admin Templates for React, Angular and Vue.js
/19 Best JavaScript Admin Templates for React, Angular, and Vue.js
/New Course: Build an App With JavaScript and the MEAN Stack
/Hands-on With ARIA: Accessibility Recipes for Web Apps
/10 Best WordPress Facebook Widgets
13 /Hands-on With ARIA: Accessibility for eCommerce
/New eBooks Available for Subscribers
/Hands-on With ARIA: Homepage Elements and Standard Navigation
/Site Accessibility: Getting Started With ARIA
/How Secure Are Your JavaScript Open-Source Dependencies?
/New Course: Secure Your WordPress Site With SSL
/Testing Components in React Using Jest and Enzyme
/Testing Components in React Using Jest: The Basics
/15 Best PHP Event Calendar and Booking Scripts
/Create Interactive Gradient Animations Using Granim.js
/How to Build Complex, Large-Scale Vue.js Apps With Vuex
1 /Examples of Dependency Injection in PHP With Symfony Components
/Set Up Routing in PHP Applications Using the Symfony Routing Component
1 /A Beginner’s Guide to Regular Expressions in JavaScript
/Introduction to Popmotion: Custom Animation Scrubber
/Introduction to Popmotion: Pointers and Physics
/New Course: Connect to a Database With Laravel’s Eloquent ORM
/How to Create a Custom Settings Panel in WooCommerce
/Building the DOM faster: speculative parsing, async, defer and preload
1 /20 Useful PHP Scripts Available on CodeCanyon
3 /How to Find and Fix Poor Page Load Times With Raygun
/Introduction to the Stimulus Framework
/Single-Page React Applications With the React-Router and React-Transition-Group Modules
12 Best Contact Form PHP Scripts
1 /Getting Started With the Mojs Animation Library: The ShapeSwirl and Stagger Modules
/Getting Started With the Mojs Animation Library: The Shape Module
/Getting Started With the Mojs Animation Library: The HTML Module
/Project Management Considerations for Your WordPress Project
/8 Things That Make Jest the Best React Testing Framework
/Creating an Image Editor Using CamanJS: Layers, Blend Modes, and Events
/New Short Course: Code a Front-End App With GraphQL and React
/Creating an Image Editor Using CamanJS: Applying Basic Filters
/Creating an Image Editor Using CamanJS: Creating Custom Filters and Blend Modes
/Modern Web Scraping With BeautifulSoup and Selenium
/Challenge: Create a To-Do List in React
1 /Deploy PHP Web Applications Using Laravel Forge
/Getting Started With the Mojs Animation Library: The Burst Module
/10 Things Men Can Do to Support Women in Tech
/A Gentle Introduction to Higher-Order Components in React: Best Practices
/Challenge: Build a React Component
/A Gentle Introduction to HOC in React: Learn by Example
/A Gentle Introduction to Higher-Order Components in React
/Creating Pretty Popup Messages Using SweetAlert2
/Creating Stylish and Responsive Progress Bars Using ProgressBar.js
/18 Best Contact Form PHP Scripts for 2022
/How to Make a Real-Time Sports Application Using Node.js
/Creating a Blogging App Using Angular & MongoDB: Delete Post
/Set Up an OAuth2 Server Using Passport in Laravel
/Creating a Blogging App Using Angular & MongoDB: Edit Post
/Creating a Blogging App Using Angular & MongoDB: Add Post
/Introduction to Mocking in Python
/Creating a Blogging App Using Angular & MongoDB: Show Post
/Creating a Blogging App Using Angular & MongoDB: Home
/Creating a Blogging App Using Angular & MongoDB: Login
/Creating Your First Angular App: Implement Routing
/Persisted WordPress Admin Notices: Part 4
/Creating Your First Angular App: Components, Part 2
/Persisted WordPress Admin Notices: Part 3
/Creating Your First Angular App: Components, Part 1
/How Laravel Broadcasting Works
/Persisted WordPress Admin Notices: Part 2
/Create Your First Angular App: Storing and Accessing Data
/Persisted WordPress Admin Notices: Part 1
/Error and Performance Monitoring for Web & Mobile Apps Using Raygun
/Using Luxon for Date and Time in JavaScript
7 /How to Create an Audio Oscillator With the Web Audio API
/How to Cache Using Redis in Django Applications
/20 Essential WordPress Utilities to Manage Your Site
/Introduction to API Calls With React and Axios
/Beginner’s Guide to Angular 4: HTTP
/Rapid Web Deployment for Laravel With GitHub, Linode, and RunCloud.io
/Beginners Guide to Angular 4: Routing
/Beginner’s Guide to Angular 4: Services
/Beginner’s Guide to Angular 4: Components
/Creating a Drop-Down Menu for Mobile Pages
/Introduction to Forms in Angular 4: Writing Custom Form Validators
/10 Best WordPress Booking & Reservation Plugins
/Getting Started With Redux: Connecting Redux With React
/Getting Started With Redux: Learn by Example
/Getting Started With Redux: Why Redux?
/Understanding Recursion With JavaScript
/How to Auto Update WordPress Salts
/How to Download Files in Python
/Eloquent Mutators and Accessors in Laravel
1 /10 Best HTML5 Sliders for Images and Text
/Site Authentication in Node.js: User Signup
/Creating a Task Manager App Using Ionic: Part 2
/Creating a Task Manager App Using Ionic: Part 1
/Introduction to Forms in Angular 4: Reactive Forms
/Introduction to Forms in Angular 4: Template-Driven Forms
/24 Essential WordPress Utilities to Manage Your Site
/25 Essential WordPress Utilities to Manage Your Site
/Get Rid of Bugs Quickly Using BugReplay
1 /Manipulating HTML5 Canvas Using Konva: Part 1, Getting Started
/10 Must-See Easy Digital Downloads Extensions for Your WordPress Site
/22 Best WordPress Booking and Reservation Plugins
/Understanding ExpressJS Routing
/15 Best WordPress Star Rating Plugins
/Creating Your First Angular App: Basics
/Inheritance and Extending Objects With JavaScript
/Introduction to the CSS Grid Layout With Examples
1Performant Animations Using KUTE.js: Part 5, Easing Functions and Attributes
Performant Animations Using KUTE.js: Part 4, Animating Text
/Performant Animations Using KUTE.js: Part 3, Animating SVG
/New Course: Code a Quiz App With Vue.js
/Performant Animations Using KUTE.js: Part 2, Animating CSS Properties
Performant Animations Using KUTE.js: Part 1, Getting Started
/10 Best Responsive HTML5 Sliders for Images and Text (Plus 3 Free Options)
/Single-Page Applications With ngRoute and ngAnimate in AngularJS
/Deferring Tasks in Laravel Using Queues
/Site Authentication in Node.js: User Signup and Login
/Working With Tables in React, Part Two
/Working With Tables in React, Part One
/How to Set Up a Scalable, E-Commerce-Ready WordPress Site Using ClusterCS
/New Course on WordPress Conditional Tags
/TypeScript for Beginners, Part 5: Generics
/Building With Vue.js 2 and Firebase
6 /Best Unique Bootstrap JavaScript Plugins
/Essential JavaScript Libraries and Frameworks You Should Know About
/Vue.js Crash Course: Create a Simple Blog Using Vue.js
/Build a React App With a Laravel RESTful Back End: Part 1, Laravel 5.5 API
/API Authentication With Node.js
/Beginner’s Guide to Angular: Routing
/Beginners Guide to Angular: Routing
/Beginner’s Guide to Angular: Services
/Beginner’s Guide to Angular: Components
/How to Create a Custom Authentication Guard in Laravel
/Learn Computer Science With JavaScript: Part 3, Loops
/Build Web Applications Using Node.js
/Learn Computer Science With JavaScript: Part 4, Functions
/Learn Computer Science With JavaScript: Part 2, Conditionals
/Create Interactive Charts Using Plotly.js, Part 5: Pie and Gauge Charts
/Create Interactive Charts Using Plotly.js, Part 4: Bubble and Dot Charts
Create Interactive Charts Using Plotly.js, Part 3: Bar Charts
/Awesome JavaScript Libraries and Frameworks You Should Know About
/Create Interactive Charts Using Plotly.js, Part 2: Line Charts
/Bulk Import a CSV File Into MongoDB Using Mongoose With Node.js
/Build a To-Do API With Node, Express, and MongoDB
/Getting Started With End-to-End Testing in Angular Using Protractor
/TypeScript for Beginners, Part 4: Classes
/Object-Oriented Programming With JavaScript
/10 Best Affiliate WooCommerce Plugins Compared
/Stateful vs. Stateless Functional Components in React
/Make Your JavaScript Code Robust With Flow
/Build a To-Do API With Node and Restify
/Testing Components in Angular Using Jasmine: Part 2, Services
/Testing Components in Angular Using Jasmine: Part 1
/Creating a Blogging App Using React, Part 6: Tags
/React Crash Course for Beginners, Part 3
/React Crash Course for Beginners, Part 2
/React Crash Course for Beginners, Part 1
/Set Up a React Environment, Part 4
1 /Set Up a React Environment, Part 3
/New Course: Get Started With Phoenix
/Set Up a React Environment, Part 2
/Set Up a React Environment, Part 1
/Command Line Basics and Useful Tricks With the Terminal
/How to Create a Real-Time Feed Using Phoenix and React
/Build a React App With a Laravel Back End: Part 2, React
/Build a React App With a Laravel RESTful Back End: Part 1, Laravel 9 API
/Creating a Blogging App Using React, Part 5: Profile Page
/Pagination in CodeIgniter: The Complete Guide
/JavaScript-Based Animations Using Anime.js, Part 4: Callbacks, Easings, and SVG
/JavaScript-Based Animations Using Anime.js, Part 3: Values, Timeline, and Playback
/Learn to Code With JavaScript: Part 1, The Basics
/10 Elegant CSS Pricing Tables for Your Latest Web Project
/Getting Started With the Flux Architecture in React
/Getting Started With Matter.js: The Composites and Composite Modules
Getting Started With Matter.js: The Engine and World Modules
/10 More Popular HTML5 Projects for You to Use and Study
/Understand the Basics of Laravel Middleware
/Iterating Fast With Django & Heroku
/Creating a Blogging App Using React, Part 4: Update & Delete Posts
/Creating a jQuery Plugin for Long Shadow Design
/How to Register & Use Laravel Service Providers
2 /Unit Testing in React: Shallow vs. Static Testing
/Creating a Blogging App Using React, Part 3: Add & Display Post
/Creating a Blogging App Using React, Part 2: User Sign-Up
20 /Creating a Blogging App Using React, Part 1: User Sign-In
/Creating a Grocery List Manager Using Angular, Part 2: Managing Items
/9 Elegant CSS Pricing Tables for Your Latest Web Project
/Dynamic Page Templates in WordPress, Part 3
/Angular vs. React: 7 Key Features Compared
/Creating a Grocery List Manager Using Angular, Part 1: Add & Display Items
New eBooks Available for Subscribers in June 2017
/Create Interactive Charts Using Plotly.js, Part 1: Getting Started
/The 5 Best IDEs for WordPress Development (And Why)
/33 Popular WordPress User Interface Elements
/New Course: How to Hack Your Own App
/How to Install Yii on Windows or a Mac
/What Is a JavaScript Operator?
/How to Register and Use Laravel Service Providers
/
waly Good blog post. I absolutely love this…