Illuminate is Laravel’s database engine minus Laravel. It comes bundled with the Eloquent ORM in Laravel. If you would like to build your PHP apps with ORMs and prefer not to use Laravel, this tutorial is for you.
In this tutorial, we are going to build the back end for a Q&A App with PHP, Illuminate Database, and the Eloquent ORM.
Our app will perform ten tasks:
First, we create our project directory and structure.
In the main project directory, we’ll create an app folder, and then in this app folder, we’ll create two folders: models and controllers. In this picture, our main project folder is named eloquent. You should replace it with whatever name you prefer.
Next, we create an index.php file in the main project folder, at the same level as the app folder.
We will use git, so we create a .gitignore file. Note that this step is optional.
Next, we install the dependencies needed for this project to work. In the main project folder, we'll create a composer.json file. Then paste this in our composer.json file.
{ “name”: “illuminate-example/eloquent”, “description”: “Implementation of Database Queries with illuminate and Eloquent”, “type”: “project”, “require”: {} }
To install the Illuminate database, we add this to our composer.json:“illuminate/database”: “5.1.8”,
.
Next, we add psr-4 autoloading for our Models and controllers:
“autoload”: { “psr-4”: { “Controllers\\”: “app/controllers/”, “Models\\”: “app/models/” } }
Now, our composer.json file should look like this:
{ “name”: “illuminate-example/eloquent”, “description”: “Implementation of Database Queries with illuminate and Eloquent”, “type”: “project”, “require”: { “illuminate/database”: “5.1.8”}, “autoload”: {“psr-4”: { “Controllers\\”: “app/controllers/”, “Models\\”: “app/models/" } } }
We will now run these two composer commands in the same location as our composer.json file:
composer install composer dump-autoload -o
This will generate a vendor folder which we can add to gitignore (this is also an optional step).
Let’s add a config file for our database credentials.
In the main project directory, we create a file named config.php and define DB details in the Config.php file. Note that the values should be replaced with your own connection details.
<?php defined(“DBDRIVER”)or define(‘DBDRIVER’,’mysql’); defined(“DBHOST”)or define(‘DBHOST’,’localhost’); defined(“DBNAME”)or define(‘DBNAME’,’eloquent-app’); defined(“DBUSER”)or define(‘DBUSER’,’root’); defined(“DBPASS”)or define(‘DBPASS’,’pass’);
Next, we create the schema for our app.
One thing to note before we create the schema for the tables in our database is that we can add timestamps to our schema.
The Eloquent ORM expects two timestamp columns if we want to enable timestamp operation on a particular table/model. They are the created_at
and updated_at
columns. If we enable timestamps for a model, Eloquent automatically updates these fields with the time when we create or update a record.
There is a third column called deleted_at
. The deleted_at
timestamp works differently, though. Eloquent has a soft delete capability which uses the deleted_at
column to determine whether a record has been deleted. If you delete a record with the eloquent ‘delete’ function and you enable Soft Delete, the column is updated with the time of deletion. These deleted items can then be retrieved at any time.
In this app, we will be taking advantage of the timestamps, so we’ll use all three in our Schema creation.
Create tables with the following commands in MySQL:
CREATE TABLE `questions` ( `id` int(11) unsigned NOT NULL AUTO_INCREMENT, `question` tinytext, `user_id` int(11) DEFAULT NULL, `created_at` timestamp NULL DEFAULT NULL, `updated_at` timestamp NULL DEFAULT NULL, `deleted_at` timestamp NULL DEFAULT NULL, PRIMARY KEY (`id`) ) ENGINE=InnoDB DEFAULT CHARSET=utf8;
CREATE TABLE `answers` ( `id` int(11) unsigned NOT NULL AUTO_INCREMENT, `answer` tinytext, `user_id` int(11) DEFAULT NULL, `question_id` int(11) DEFAULT NULL, `created_at` timestamp NULL DEFAULT NULL, `updated_at` timestamp NULL DEFAULT NULL, `deleted_at` timestamp NULL DEFAULT NULL, PRIMARY KEY (`id`) ) ENGINE=InnoDB DEFAULT CHARSET=utf8;
CREATE TABLE `upvotes` ( `id` int(11) unsigned NOT NULL AUTO_INCREMENT, `answer_id` int(11) DEFAULT NULL, `user_id` int(11) DEFAULT NULL, `created_at` timestamp NULL DEFAULT NULL, `updated_at` timestamp NULL DEFAULT NULL, `deleted_at` timestamp NULL DEFAULT NULL, PRIMARY KEY (`id`) ) ENGINE=InnoDB DEFAULT CHARSET=utf8;
CREATE TABLE `users` ( `id` int(11) unsigned NOT NULL AUTO_INCREMENT, `username` varchar(100) DEFAULT NULL, `email` varchar(200) DEFAULT NULL, `password` varchar(200) DEFAULT NULL, `created_at` timestamp NULL DEFAULT NULL, `updated_at` timestamp NULL DEFAULT NULL, `deleted_at` timestamp NULL DEFAULT NULL, PRIMARY KEY (`id`) ) ENGINE=InnoDB DEFAULT CHARSET=utf8;
We’ll proceed by creating files for models and controllers for our tables in the following locations:
Open models/database.php with an editor.
First we create the Capsule:
<?php namespace Models; use Illuminate\Database\Capsule\Manager as Capsule; class Database { function __construct() { $capsule = new Capsule; $capsule->addConnection([ ‘driver’ => DBDRIVER, ‘host’ => DBHOST, ‘database’ => DBNAME, ‘username’ => DBUSER, ‘password’ => DBPASS, ‘charset’ => ‘utf8’, ‘collation’ => ‘utf8_unicode_ci’, ‘prefix’ => ‘’, ]); // Setup the Eloquent ORM… $capsule->bootEloquent(); } }
In the file above, we initialize and set up the capsule with the constants defined in config.php, and then we boot eloquent.
The next step is to create a start script. This will be a file where everything that has to be run before our app works is run.
We create a start file in the location project_folder/start.php, and then in the file, require the Composer autoload file:
require ‘vendor/autoload.php’;
After that, we require config.php to get the credentials defined: require ‘config.php’;
Then we initialize the database class.
<?php use Models\Database; //Boot Database Connection new Database();
Your start.php should look like this:
<?php require ‘config.php’; require ‘vendor/autoload.php’; use Models\Database; //Initialize Illuminate Database Connection new Database(); ?>
Include start.php in your index.php as this will be our main file.
Our index.php file now looks like this:
<?php require ‘start.php’; ?>
Next, we can start working on our controllers and models. In project_folder/app/models/question.php, we add this:
<?php namespace Models; use \Illuminate\Database\Eloquent\Model; class Question extends Model { protected $table = ‘questions’; } ?>
Then in project_folder/app/controllers/questions.php:
<?php namespace Controllers; class Questions{ } ?>
In project_folder/app/controllers/answers.php, we do the same:
<?php namespace Controllers; class Answers{ } ?>
In the user model (project_folder/app/models/user.php), we add the following code to define our namespace, extend the Eloquent Model, and define the table name (protected $table
) and what fields in the tables can be filled by mass creation (protected $fillable
).
<?php namespace Models; use \Illuminate\Database\Eloquent\Model; class User extends Model { protected $table = ‘users’; protected $fillable = [‘username’,’email’,’pass’]; } ?>
In the users controller (project_folder/app/controllers/user.php), we define our namespace and class as usual:
<?php namespace Controllers; class Users{ } ?>
Then to create a user, in the users controller, we import the user Model namespace, use Models\User;
, and then add a function to create the user.
<?php public static function create_user($username, $email, $password){ $user = User::create(['username'=>$username,'email'=>$email,'password'=>$password]); return $user; }
Our user controller now looks like this.
<?php namespace Controllers; use Models\User; class Users { public static function create_user($username, $email, $password){ $user = User::create(['username'=>$username,'email'=>$email,'password'=>$password]); return $user; } } ?>
Then in index.php we add these lines and run the app to create a new user.
<?php use Controllers\Users; // Import user controller $user = Users::create_user(“user1”,”user1@example.com”,”user1_pass”);
To add a question we import the Question model namespace in the questions controller, and write a create_question
function:
use Models\Question;
Then:
<?php public static function create_question($question,$user_id){ $question = Question::create(['question'=>$question,'user_id'=>$user_id]); return $question; }
We have used Eloquent mass creation models to insert this record, but before it works, we need to permit those fields to be fillable, because Eloquent models guard against mass creation by default.
So we go to the question
model and add the protected $fillable
property to the class.
protected $fillable = ['question','user_id'];
To run this, import the questions controller in index.php and call the create_question
function statically:
use Controllers\Question;
Then create a question with a question and User Id as parameters:
$question = Questions::create_question("Have you ever met your doppelganger?",1);
This returns a model object if successful.
We will now run the index.php script with different entries to add more questions to the database.
In the answer model, we repeat the steps taken for question and user models by adding the code below:
<?php namespace Models; use \Illuminate\Database\Eloquent\Model; class Answer extends Model { protected $table = ‘answers’; protected $fillable = [‘answer’,’user_id’,’question_id’]; } ?>
Then in the answers controller, we write these lines:
<?php namespace Controllers; use Models\Answer; class Answers { public static function add_answer($answer,$question_id,$user_id){ $answer = Answer::create(['answer'=>$answer,'question_id'=>$question_id,'user_id'=>$user_id]);return $answer; } } ?>
Then in index.php, we can create an answer for the question with id 1 we added earlier, with user id 2. Don't forget to import the answers controller to index.php first.
<?php use Controllers\Answers; $answers = Answers::add_answer(“This is an answer”,1,2);
To prevent multiple entries, comment all other calls in index.php before running a new one.
This is pretty much the same steps we are used to.
So we'll copy this into the Upvote model at project_folder/app/models/upvote.php.
<?php namespace Models; use \Illuminate\Database\Eloquent\Model; class Upvote extends Model { protected $table = 'upvotes'; protected $fillable = ['answer_id','user_id']; } ?>
Then in the answers controllers, we import the Upvote Model namespace.
use Models\Upvote;
Then we create an upvote_answer
function.
<?php public static function upvote_answer($answer_id,$user_id){ $upvote = Upvote::create(['answer_id'=>$answer_id,'user_id'=>$user_id]); return $upvote; }
In index.php, we can call the function with a dummy User ID to upvote the answer with id 1.
$upvote = Answers::upvote_answer(1,14);
For tasks like this, we can use Eloquent relationships.
Types of relationships include one to one, one to many, many to many, etc.
When using these relations, Eloquent assumes a foreign key in the form modelname_id exists on the models. For this task, the relationship is a one-to-many relationship because a single question can own any amount of answers.
First we define this relationship by adding this function to our question model.
<?php public function answers() { return $this->hasMany('\Models\Answer'); }
Then in the questions controller, we write a function to get questions with answers.
<?php public static function get_questions_with_answers(){ $questions = Question::with('answers')->get()->toArray(); return $questions; }
This retrieves the questions with their corresponding answers.
In index.php, we comment all other calls and run:
$all = Questions::get_questions_with_answers();
We can var_dump
or print_r
the $all
variable to see the results.
This is a one to one relationship because one question has one user, so we add this to the question model.
<?php public function user() { return $this->belongsTo(‘\Models\User’); }
Then we create a function in the questions controller and use the with
function on the question model.
<?php public static function get_questions_with_users(){ $questions = Question::with('user')->get()->toArray(); return $questions; }
In index.php, comment all others and run this:
$all_with_users = Questions::get_questions_with_users();
First, we define a relationship between answers and upvotes. An answer has many upvotes, so the relationship is one to many.
So we add the following function to our answer model:
<?php public function upvotes() { return $this->hasMany('\Models\Upvote'); }
Then in the questions controller, we create the function to get this:
<?php public static function get_question_answers_upvotes($question_id){ $questions = Question::find($question_id)->answers()->with('upvotes')->get()->toArray(); return $questions; }
As in previous steps, we comment all other calls to index.php and run this:
$one_question = Questions::get_question_answers_upvotes(1);
We can print the $one_question
variable to see the results.
First we import the question model in the users controllers:
use Models\Question;
Then we write this function:
<?php public static function question_count($user_id){ $count = Question::where('user_id',$user_id)->count(); return $count; }
In index.php, we comment other calls and add this line:
$user_question_count = Users::question_count(1);
This returns an integer which is the number of questions that have been added by a user with id 1.
We can print the $user_question_count
variable and run index.php to see the results.
The concept of updating with the Eloquent ORM is pretty simple. First we find a record, and then we mutate and save.
Now, in the answers controllers, we add this function:
<?php public static function update_answer($answer_id,$new_answer){ $answer = Answer::find($answer_id); $answer->answer = $new_answer; $updated = $answer->save(); return $updated; }
In index.php, we can comment all other calls, and update answer with id 1 like this:
$update_answer = Answers::update_answer(1,”This is an updated answer”);
This returns a boolean value—true—if the update is successful.
In this final task, we'll implement Eloquent SoftDelete.
First we tell the question model to use SoftDeletes
by importing the SoftDeletes
namespace, and then using the SoftDeletes
trait in our class.
use Illuminate\Database\Eloquent\SoftDeletes;
Then after the class declaration line, we add this line:
use SoftDeletes;
Then we add deleted_at
to the protected $dates
property for the model. These are the required steps.
protected $dates = [‘deleted_at’];
Our question model now looks like this:
<?php namespace Models; use \Illuminate\Database\Eloquent\Model; use Illuminate\Database\Eloquent\SoftDeletes; class Question extends Model { use SoftDeletes; protected $table = 'questions'; protected $fillable = ['question','user_id']; public function answers() { return $this->hasMany('\Models\Answer'); } public function user() { return $this->belongsTo('\Models\User'); } } ?>
Then we create the delete_question
function in the questions controller.
<?php public static function delete_question($question_id){ $question = Question::find($question_id); $deleted = $question->delete(); return $deleted; }
Run in index.php:
$delete = Questions::delete_question(1);
Congratulations! You just built a fully functional back end with Illuminate and Eloquent. And we didn't have to write so much code to achieve all this.
The code for this tutorial can be found on GitHub.
Illuminate also comes with the Query Builder which you can use for even more complex database queries and is definitely something you want to experiment with and use in your app.
The only thing missing in the standalone Illuminate Database is database migrations, which are a lovely feature of Laravel, and Lumen, the microframework by Laravel. You should consider using both in your apps to take advantages of the useful features they come with.
You can find out more about Eloquent on the Official Eloquent Documentation Page.
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…