Angular has become very popular over the past few years. You can use this open-source JavaScript framework to build web and mobile apps. If you've been thinking about learning Angular but don't know where to start, following this series might be a good idea.
The aim of this series is to cover the basics of Angular while creating a very simple app that shows information about different countries. Angular is written in TypeScript, so it makes sense that you write your own code in TypeScript as well.
If you are already familiar with TypeScript, you can just go ahead and start creating your first Angular app. Remember, there are two major versions of Angular Framework. One is AngularJS, which is version 1, and then there's Angular 2+, which is version 2. AngularJS is no longer supported, and there are many differences between the two versions.
This is one of the first questions you must ask, and the answer is: it depends. Some developers will argue that React is better. But there are problems in React too! A strength of Angular is that it is an integrated framework which allows you to build projects without thinking a lot about libraries.
If you want to try Angular, the first step is to install Node.js. You can then head to the official website and download the appropriate version. The Node Package Manager npm will be installed as part of Node.js.
The next step is to install TypeScript by running the following command. If you are not familiar with TypeScript, don't worry. A little bit of knowledge in JavaScript is more than enough. To put it simply, TypeScript is just typed JavaScript with additional features. Many modern editors are useful in helping you master TypeScript. I have also written a series titled TypeScript for Beginners on Envato Tuts+, where you can learn the basics of TypeScript first.
npm install -g typescript
The Angular Framework comes with its very own Command Line Interface (CLI). The CLI will handle most routine tasks for you. This is why you must install the CLI to start with Angular. You can install the Angular CLI by running the following command.
npm install -g @angular/cli
Now, you can create a new Angular app by running the following command in the terminal. Before running the command, make sure that you have moved to the directory where you want to create the app.
ng new country-app
Installing all the dependencies for the project takes some time, so please be patient while Angular CLI sets up your app. After the installation completes, you will see a folder named country-app
in the current directory. You can run your app right now by changing the directory to country-app
and then running ng serve
in the console.
cd country-app ng serve --open
Adding --open
will automatically open your app in the browser at https://localhost:4200/.
You will see the below screen when you run the application for the first time, without making any changes to the code. So what just happened? Angular CLI runs a Webpack dev server. The Webpack Dev Server renders the application on port 4200
. It also watches for changes in the project source code. With every change, the code recompiles and the browser reloads. Since you are using Angular CLI, you are already working in a correctly configured development environment. So you don't need to do anything but get started on the project.
The country information app that we are creating will have three components. The HomeComponent
will show the top three countries under various categories like population, GDP, and area. You will be able to click the name of each country to read more about it. The additional information about the country is listed using another component, which we will be calling the CountryDetailComponent
. There will be one more component in our app, which will be used to display a list of all the countries that we have stored in our app.
Since this is your first Angular app, our main aim will be to keep things simple without adding any complicated functionality. Once you have a good grasp of the basics, creating more complex apps will not seem like a daunting task.
The image below is of the homepage or HomeComponent
in our country information app. As you can see, there are three countries under each category, and they have been placed in descending order. While creating the HomeComponent
, you will learn how to sort different countries before displaying them in the template.
The following image shows the "all countries page" or AllCountriesComponent
of our app. The layout of this component is very similar to the HomeComponent
. The only difference is that this time we are listing all the countries along with their capitals.
If you click on the box of any country rendered inside either the HomeComponent
or the AllCountriesComponent
, you will be taken to the country detail page or CountryDetailComponent
. The information provided about a country is not editable.
After the details of each country, there is a back button which takes you back to the previous component or page. If you came to the CountryDetailComponent
from the HomeComponent
, you will be taken back to the HomeComponent
. If you arrived at the CountryDetailComponent
from the AllCountriesComponent
, you will be taken back to the AllCountriesComponent
.
Referring to different components that we are creating as pages is not technically correct. However, I am using terms like homepage or HomeComponent
interchangeably because seeing a lot of unfamiliar terms like routing, components, and decorators can be intimidating for readers who have never created an Angular app before. Using these terms loosely for this series can help you learn quickly instead of getting confused by the jargon.
After you run the ng new country-app
command, the Angular CLI creates a bunch of files and folders for you. Seeing so many files can be intimidating as a beginner, but you don't need to work with all those files. When creating our country app, we will only be modifying the files that already exist in the src/app
folder as well as creating new files in the same directory. Right now, you should have five different files in the src/app
folder. These files create an application shell which will be used to put together the rest of our app. In Angular 12, the folder structure appears as below.
The way your Angular folders are structured is important. A good folder structure makes code maintenance simple and seamless. We have a great free course to help you understand and implement better folder structures.
Before we begin creating our app, you need to be comfortable with the basic concepts of Angular. This section will very briefly cover important topics like components and templates. And the goal of this post is to help you get accustomed to these!
In Angular, regardless of the version, you have a few major building blocks:
You can see how these pieces of the Angular 12 architecture fit together below:
Since Angular 2+, Angular has focused on maintaining modularity. This is why we have Angular modules, also called NgModules
. Every Angular application you create will have at least one Angular module: the root module. In general, these are known as the AppModule
. At first, your application will have only the root module. With time, you will end up creating multiple modules to define the workflow or capabilities of a specific application domain.
Remember, every Angular Module is a class which contains the @NgModule
decorator.
Decorators are functions written to modify classes in JavaScript. Decorators are used to link metadata to classes. This metadata gives details on how a class should work and how it should be configured.
Here's an example of metadata for an AppModule
:
import { BrowserModule } from '@angular/platform-browser'; import { NgModule } from '@angular/core'; import { AppComponent } from './app.component'; @NgModule({ declarations: [ AppComponent ], imports: [ BrowserModule ], providers: [], bootstrap: [AppComponent] }) export class AppModule { }
Components are the building blocks of an Angular app. They allow you to control the UI of your app. A basic component consists of two parts: a decorator and a class definition. You can specify the application logic for a component inside the class.
The component decorator is used to specify information like a custom selector to identify the component, the path to the HTML template, and the style rules to be applied to the component.
Here is a basic component decorator that sets all three values:
@Component({ selector: 'app-country-detail', templateUrl: './country-detail.component.html', styleUrls: ['./country-detail.component.css'] })
All the components that we create will have a custom selector which specifies the tag that renders the component in the browser. These custom tags can have any name you want. For example, we will be creating a countryDetailComponent
in the third tutorial of the series, and we will use our own custom tag called app-country-detail
to render this component in the browser.
This is just the beginning—we also have an in-depth guide to Angular components.
Templates are companions to Angular components. In very simple terms, the template is nothing but an HTML snippet. It tells how a component should be rendered. In our HomeComponent
the template appears as below.
<div class="container"> <h2>Three Most Populated Countries</h2> <div class="group"> <a *ngFor="let country of populatedCountries" class="country-unit" routerLink="/detail/{{country.name}}"> <div class="country-block"> <h4>{{country.name}}</h4> <p>{{country.population | number}}</p> <p>People</p> </div> </a> </div> <br> <h2>Three Largest Countries (Area)</h2> <div class="group"> <a *ngFor="let country of largestCountries" class="country-unit" routerLink="/detail/{{country.name}}"> <div class="country-block"> <h4>{{country.name}}</h4> <p>{{country.area | number}} km <sup>2</sup> </p> </div> </a> </div> <br> <h2>Countries with Highest GDP</h2> <div class="group"> <a *ngFor="let country of gdpCountries" class="country-unit" routerLink="/detail/{{country.name}}"> <div class="country-block"> <h4>{{country.name}}</h4> <p>{{country.gdp | number}} USD</p> </div> </a> </div> </div>
It is regular HTML with a few differences. For instance, we use *ngFor
to loop through arrays and render in the view.
<a *ngFor="let country of populatedCountries" class="country-unit" routerLink="/detail/{{country.name}}"> <div class="country-block"> <h4>{{country.name}}</h4> <p>{{country.population | number}}</p> <p>People</p> </div> </a>
When you don't have a framework, data values should be pushed into HTML controls whenever a user responds with an action or value. This kind of push or pull logic is error-prone and tedious. Above all, it can be a nightmare to handle it all manually. This is why the Angular Framework offers Data Binding.
By definition, data binding is a mechanism for coordinating the template and components. The overall flow of control between the DOM and a component is shown below:
As you venture into the country application, you will see a couple of places where button-click events are captured and changes in the view reflect the business logic. You will find the below pieces of code:
An example of event binding:
<button (click)="goBack()">Go Back</button>
An example of property binding:
<country-detail [country]="selectedCountry"></country-detail>
Likewise, the app.component.ts file contains the logic for our component written in TypeScript. You can open this file and update the title
property of the AppComponent
class to 'Fun Facts About Countries'
. The app.component.ts file should now have the following code.
import { Component } from '@angular/core'; @Component({ selector: 'app-root', templateUrl: './app.component.html', styleUrls: ['./app.component.css'] }) export class AppComponent { title = 'Fun Facts About Countries'; }
The app.component.html file contains the template for our AppComponent
class. Open the app.component.html file and replace the boilerplate HTML code inside it with the following line:
<h1>{{title}}</h1>
By wrapping title
inside the curly brackets, we are telling Angular to put the value of the title
property of the AppComponent
class inside the h1
tag.
Two-way data binding is a crucial part, as it combines both event and property binding into a single notation. This is nothing but the ngModel
directive. Here is a simple example of two-way data binding.
<input [(ngModel)]="country.name" placeholder="name"/>
In two-way binding, data flows to the input box from the component with property binding. When the user changes a value, data flows back to the component with event binding. In Angular, all data bindings are processed only once per JavaScript event cycle.
Data binding plays a crucial role in Angular forms. Whether it is reactive or template-driven forms, you need two-way data binding. We have a tutorial where you can learn more about two-way binding and Angular forms.
Different components of our app will need to retrieve the data to display on screen. We will be creating a service class that will contain functions to help us retrieve this data and sort or modify it one way or another. We will then use the functionality of different component classes to display this data to the user.
You can consider a Service
to simply be any value, function, or feature that your application needs. Getting all the countries stored inside our application is a service, and so is sorting and displaying them. All three components in our class will be using functions from our service to retrieve data.
Here is a code snippet from the country-app
that we will be creating. As you can see, we are importing Component
and OnInit
from the @angular/core
. Similarly, we are importing a Country
and CountryService
from files that we created ourselves.
import { Component, OnInit } from '@angular/core'; import { Country } from '../country'; import { CountryService } from '../country.service';
Services and dependency injection are crucial topics in the Angular Framework. As you build the country application, in our upcoming tutorials, you will understand their importance. If you wish to learn all the internals of an Angular service, check out our beginner's guide to Angular services.
The changes made to this file will be automatically reflected in the browser at http://localhost:4200/. Just make sure that the console is still open and you have already typed in the ng serve
command from the beginning of the tutorial.
Different functions and features of the app will be controlled by multiple simpler components that we will create later. You can think of this application shell as a car and the different components that we will create as parts of that car, like the engine and the wheels. Each component will perform a specific function, and you can put them all together to create the whole car.
The aim of this tutorial was to help you install all the necessary tools that you need to create an Angular app and quickly go over some fundamental Angular concepts.
To summarize, you need to know the basics of TypeScript before you can create an Angular app. Then you need to install Node.js, TypeScript, and the Angular CLI. After that, you can just run the npm commands from the Getting Started section of this tutorial, and your first Angular app will be up and running.
Our country app will do a lot more than just show the title. In the next tutorial, you will create a few classes and services that will be used to store and retrieve data about different countries. These classes and services will be useful in the third and fourth tutorials, where we will create different components of our app.
This post has been updated with contributions from Divya Dev. Divya is a front-end developer with more than half a decade of experience. She is a grad and gold medalist from Anna University.
The Best Small Business Web Designs by DesignRush
/Create Modern Vue Apps Using Create-Vue and Vite
/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 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
1New 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
1Deploy 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?
/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: HTTP
/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…