Welcome to the latest episode of our Twitter API series. In our last episode, I built Twixxr.com which will let you discover influential women on Twitter for your account to follow. Today, I'm going to turn the focus inward to look at my own followers.
While I haven't really used Facebook since 2013, I've remained active on Twitter—even as they pumped my feed with ads and annoyed me by trying to algorithmically optimize it.
Recently, I was verified and started to gather followers at a slightly faster rate. I was hopeful that I might see more response to my tweets. Generally, I've been surprised at how little response there usually is on Twitter for the average person.
I have nearly 1,900 followers, but rarely do people comment or retweet pieces that I think are important and of general interest. For example, not a single person shared my piece on the sharp spike in rape reports in Seattle or commentary on Bill Gates at his most outrageously hypocritical.
For a long time I've wanted to look more closely at my Twitter followers and answer some questions: Who exactly is following me? And why aren't they more interactive? Is it possible that only 10% of my followers are real people?
Twitter's been having trouble finding a buyer, and maybe this has something to do with it.
The Twitter API is a good tool to investigate this. Yet it has a ton of rate limits which make even something simple like analyzing your followers quite complex. In today's episode, I'll show you how I worked with the rate limits to assess and build a scoreboard of my followers.
If you have any questions or feedback, please post them below in the comments or reach out to me on Twitter @reifman.
Just above, you can see the basic scoreboard I've created. Today's episode will focus mostly on the infrastructure and approach I took to create this. I hope I get a chance to write more about improving the scoring mechanism.
And yes, as you can see above, renowned #censored# rights leader and #censored# advice columnist Dan Savage follows me but never retweets anything I share. If there's time today, we'll analyze this to answer important questions like: is he real, a bot, or just following me for personal #censored# advice? What can we learn from his account to determine whether he's likely ever to interact with me on Twitter or, for that matter, any of my other followers?
The scoreboard code is mostly a prototype which I've built on top of the Twixxr code from the last episode, but it's not a live demo for people to use. I'm sharing so you can learn from it and build on it yourself.
Here are the basic elements of the code:
I created three different tables to store all the data and help me work with the Twitter API rate limiting. If you're not familiar with Yii database migrations, please see How to Program With Yii2: Working With the Database and Active Record.
First, I extended the SocialProfile table to record a lot more data from the follower's accounts such as whether they are verified, their location, and how many items they've favorited:
<?php use yii\db\Schema; use yii\db\Migration; class m161026_221130_extend_social_profile_table extends Migration { public function up() { $tableOptions = null; if ($this->db->driverName === 'mysql') { $tableOptions = 'CHARACTER SET utf8 COLLATE utf8_unicode_ci ENGINE=InnoDB'; } $this->addColumn('{{%social_profile}}','social_id',Schema::TYPE_STRING.' NOT NULL'); $this->addColumn('{{%social_profile}}','name','string NOT NULL'); $this->addColumn('{{%social_profile}}','screen_name',Schema::TYPE_STRING.' NOT NULL'); $this->addColumn('{{%social_profile}}','description',Schema::TYPE_TEXT.' NOT NULL'); $this->addColumn('{{%social_profile}}','url',Schema::TYPE_STRING.' NOT NULL'); $this->addColumn('{{%social_profile}}','protected',Schema::TYPE_SMALLINT. ' NOT NULL DEFAULT 0'); $this->addColumn('{{%social_profile}}','favourites_count',Schema::TYPE_BIGINT. ' NOT NULL DEFAULT 0'); $this->addColumn('{{%social_profile}}','verified',Schema::TYPE_SMALLINT. ' NOT NULL DEFAULT 0'); $this->addColumn('{{%social_profile}}','location',Schema::TYPE_STRING.' NOT NULL'); $this->addColumn('{{%social_profile}}','profile_location',Schema::TYPE_STRING.' NOT NULL'); $this->addColumn('{{%social_profile}}','score',Schema::TYPE_BIGINT. ' NOT NULL DEFAULT 0'); }
Then, I built an indexing table called SocialFriend
to track followers for specific accounts. If I decide to formalize this service publicly, I'll need this. It links the User table with the user's followers in the SocialProfile table.
<?php use yii\db\Schema; use yii\db\Migration; class m161026_233916_create_social_friend_table extends Migration { public function up() { $tableOptions = null; if ($this->db->driverName === 'mysql') { $tableOptions = 'CHARACTER SET utf8 COLLATE utf8_unicode_ci ENGINE=InnoDB'; } $this->createTable('{{%social_friend}}', [ 'id' => Schema::TYPE_PK, 'user_id' => Schema::TYPE_BIGINT.' NOT NULL', 'social_profile_id' => Schema::TYPE_BIGINT.' NOT NULL', ], $tableOptions); }
Next, the Twitter API requires that you page through requests of 20 followers at a time. To know the next page, you have to track the cursors, essentially tags, that mark the next page to fetch.
Since you're only allowed to make 15 requests for followers every 15 minutes, you have to store these cursors in the database. The table is called SocialCursor
:
<?php use yii\db\Schema; use yii\db\Migration; class m161027_001026_social_cursor_table extends Migration { public function up() { $tableOptions = null; if ($this->db->driverName === 'mysql') { $tableOptions = 'CHARACTER SET utf8 COLLATE utf8_unicode_ci ENGINE=InnoDB'; } $this->createTable('{{%social_cursor}}', [ 'id' => Schema::TYPE_PK, 'user_id' => Schema::TYPE_BIGINT.' NOT NULL', 'next_cursor' => Schema::TYPE_STRING.' NOT NULL', ], $tableOptions); }
Eventually, I'll build background cron tasks to manage all this, but for today's prototype, I'm running these tasks by hand.
Next, I created a method Twitter::getFollowers()
to make the request. Here's the basics of the code:
public function getFollowers($user_id) { $sp = new SocialProfile(); $next_cursor = SocialCursor::getCursor($user_id); ... while ($next_cursor>0) { $followers = $this->connection->get("followers/list",['cursor'=>$next_cursor]); if ($this->connection->getLastHttpCode() != 200) { var_dump($this->connection); exit; } if (isset($followers->users)) { foreach ($followers->users as $u) { $n+=1; $users[]=$u; $sp->add($user_id,$u); } $next_cursor= $followers->next_cursor; SocialCursor::refreshCursor($user_id,$next_cursor); echo $next_cursor.'<br />'; echo '======================================================<br />'; } else { exit; } }
It gets the next_cursor
and repeatedly asks for followers, $followers = $this->connection->get("followers/list",['cursor'=>$next_cursor])
, until it hits rate limits.
The output looks something like this as it runs through each page of 20 results:
refresh cursor: 1489380833827620370 ====================================================== refresh cursor: 1488086367811119559 ====================================================== refresh cursor: 1486452899268510188 ====================================================== refresh cursor: 1485593015909209633 ====================================================== refresh cursor: 1485330282069552137 ====================================================== refresh cursor: 1485256983607000799 ====================================================== refresh cursor: 1484594012550322889 ====================================================== refresh cursor: 1483359799854574028 ====================================================== refresh cursor: 1481615590678791493 ====================================================== refresh cursor: 1478424827838161031 ====================================================== refresh cursor: 1477449626282716582 ====================================================== refresh cursor: 1475751176809638917 ====================================================== refresh cursor: 1473539961706830585 ====================================================== refresh cursor: 1471375035531579849 ======================================================
The data is stored by those $sp->add($user_id,$u);
methods. The SocialProfile::add()
method is a different version of the fill()
method from the Twixxr tutorial. It stores more data and manages the SocialFriend index:
public static function add($user_id,$profileObject=null) { $sp = SocialProfile::find() ->where(['social_id'=>$profileObject->id_str]) ->one(); if (!isset($profileObject->name) || empty($profileObject->name)) { $profileObject->name='Nameless'; } if (!isset($profileObject->url) || empty($profileObject->url)) { $profileObject->url=''; } if (!isset($profileObject->screen_name) || empty($profileObject->screen_name)) { $profileObject->screen_name='error_sn'; } if (!isset($profileObject->description) || empty($profileObject->description)) { $profileObject->description='(empty)'; } if (!isset($profileObject->profile_location) || empty($profileObject->profile_location)) { $profileObject->profile_location=''; } if (!isset($profileObject->profile_image_url_https) || empty($profileObject->profile_image_url_https)) { $profileObject->profile_image_url_https=''; } if (!is_null($sp)) { $sp->social_id = $profileObject->id; $sp->image_url = $profileObject->profile_image_url_https; $sp->follower_count= $profileObject->followers_count; $sp->status_count = $profileObject->statuses_count; $sp->friend_count = $profileObject->friends_count; $sp->listed_in = $profileObject->listed_count; $sp->url=$profileObject->url; if ($profileObject->protected) { $sp->protected=1; } else { $sp->protected=0; } if ($profileObject->verified) { $sp->verified=1; } else { $sp->verified=0; } $sp->favourites_count=$profileObject->favourites_count; $sp->location=$profileObject->location; $sp->profile_location=$profileObject->profile_location; $sp->name = $profileObject->name; $sp->description = $profileObject->description; $sp->image_url = $profileObject->profile_image_url_https; if ($sp->validate()) { $sp->update(); } else { var_dump($sp->getErrors()); } } else { $sp = new SocialProfile(); $sp->social_id = $profileObject->id; $sp->score = 0; $sp->header_url=''; $sp->url=$profileObject->url; $sp->favourites_count=$profileObject->favourites_count; if ($profileObject->protected) { $sp->protected=1; } else { $sp->protected=0; } if ($profileObject->verified) { $sp->verified=1; } else { $sp->verified=0; } $sp->location=$profileObject->location; $sp->profile_location=$profileObject->profile_location; $sp->name = $profileObject->name; $sp->description = $profileObject->description; $sp->screen_name = $profileObject->screen_name; $sp->image_url = $profileObject->profile_image_url_https; $sp->follower_count= $profileObject->followers_count; $sp->status_count = $profileObject->statuses_count; $sp->friend_count = $profileObject->friends_count; $sp->listed_in = $profileObject->listed_count; if ($sp->validate()) { $sp->save(); } else { var_dump($sp->getErrors()); } } $sf = SocialFriend::find() ->where(['social_profile_id'=>$sp->id]) ->andWhere(['user_id'=>$user_id]) ->one(); if (is_null($sf)) { $sf = new SocialFriend(); $sf->user_id = $user_id; $sf->social_profile_id = $sp->id; $sf->save(); } return $sp->id; }
It's written to save new records or update old records so that in the future you could track your follower data and update it regularly, overwriting old data.
This last section at the end makes sure there is a SocialFriend index between the User table and the SocialProfile table.
$sf = SocialFriend::find() ->where(['social_profile_id'=>$sp->id]) ->andWhere(['user_id'=>$user_id]) ->one(); if (is_null($sf)) { $sf = new SocialFriend(); $sf->user_id = $user_id; $sf->social_profile_id = $sp->id; $sf->save(); }
I had a handful of goals for my Twitter scoring:
Similarly, I wanted to highlight some positive aspects:
Here's some rough basic code from SocialProfile::score()
that highlights some of the positives:
foreach ($all as $sp) { // score sp $score =0; // RULE IN if ($sp->verified==1) { $score+=1000; } // POSITIVE if ($sp->protected==1) { $score+=500; } if ($sp->follower_count > 10000) { $score+=500; } else if ($sp->follower_count > 3500) { $score+=750; } else if ($sp->follower_count > 1100) { $score+=1000; } else if ($sp->follower_count > 1000) { $score+=250; } else if ($sp->follower_count> 500) { $score+=250; }
Here's some code that eliminates some of the bad accounts:
// RULE OUT // make this a percentage of magnitude $magnitude = $sp->follower_count/1000; if ($sp->follower_count> 1000 and abs($sp->follower_count-$sp->friend_count)<$magnitude) { $score-=2500; } if ($sp->friend_count > 7500) { $score-=10000; } else if ($sp->friend_count > 5000) { $score-=5000; } else if ($sp->friend_count > 2500) { $score-=2500; }else if ($sp->friend_count > 2000) { $score-=2000; } else if ($sp->friend_count > 1000) { $score-=250; } else if ($sp->friend_count > 750) { $score-=100; } if ($sp->follower_count<100) { $score-=1000; } if ($sp->status_count < 35) { $score-=5000; }
Obviously, there's a lot to play with here and a variety of ways to improve this. I hope I get a chance to spend more time on this.
As the method runs, it looks like this, but updates the SocialProfile table with scores as it goes:
DJMany -6300 gai_ltau -7850 Michal92B -900 InvestmentAdvsr -2900 TSSStweets -7500 sandcageapp -1750 dominicpouzin 1950 daletdykaaolch1 -7850 suzamack -8250 writingthrulife -7500 ryvr -1550 RichardAngwin -8300 DanielleMorrill -7300 ReversaCreates 2750 BoKnowsMarkting -7500 TheHMProA -8500 HouseMgmt101 750 itsmeKennethG -1250 drbobbiwegner -8500 Mizzfit_Bianca -7300 wilsonmar 700 CoachVibeke -7300 jhurwitz 0 PiedPiperComms 500 Prana2thePeople -1100 singlemomspower -2250 mouselink -7300 MotivatedGenY -7300 brett7three -7300 JovanWalker 2950 ITSPmagazine 450 RL_Miller -2250
Yii's default grid makes it pretty easy to display the SocialProfile table and customize the scoreboard columns.
Here's SocialProfileController::actionIndex()
:
/** * Lists all SocialProfile models. * @return mixed */ public function actionIndex() { $searchModel = new SocialProfileSearch(); $dataProvider = $searchModel->search(Yii::$app->request->queryParams); return $this->render('index', [ 'searchModel' => $searchModel, 'dataProvider' => $dataProvider, ]); }
And here's the grid view customized:
<?php use yii\helpers\Html; use yii\grid\GridView; use yii\widgets\Pjax; /* @var $this yii\web\View */ /* @var $searchModel frontend\models\SocialProfileSearch */ /* @var $dataProvider yii\data\ActiveDataProvider */ $this->title = Yii::t('frontend', 'Social Profiles'); $this->params['breadcrumbs'][] = $this->title; ?> <div class="social-profile-index"> <h1><?= Html::encode($this->title) ?></h1> <?php // echo $this->render('_search', ['model' => $searchModel]); ?> <?php Pjax::begin(); ?> <?= GridView::widget([ 'dataProvider' => $dataProvider, 'filterModel' => $searchModel, 'columns' => [ ['class' => 'yii\grid\SerialColumn'], [ 'label'=>'Name', 'format' => 'raw', 'value' => function ($model) { return '<div><span><strong><a href="http://twitter.com/'.$model->screen_name.'">'.$model->name.'</a></strong><br />'.$model->screen_name.'</span></div>'; }, ], 'score', [ 'label'=>'Follows', 'format' => 'raw', 'attribute'=>'friend_count', ], [ 'label'=>'Followers', 'format' => 'raw', 'attribute'=>'follower_count', ], [ 'label'=>'Tweets', 'format' => 'raw', 'attribute'=>'status_count', ], [ 'label'=>'Favs', 'format' => 'raw', 'attribute'=>'favourites_count', ], [ 'label'=>'Listed', 'format' => 'raw', 'attribute'=>'listed_in', ], [ 'label'=>'P', 'format' => 'raw', 'attribute'=>'protected', ], [ 'label'=>'V', 'format' => 'raw', 'attribute'=>'verified', ], // 'location', // 'profile_location', [ //'contentOptions' => ['class' => 'col-lg-11 col-xs-10'], 'label'=>'Pic', 'format' => 'raw', 'value' => function ($model) { return '<div><span><img src="'.$model->image_url.'"></span></div>'; }, ], ], ]); ?> <?php Pjax::end(); ?></div>
Here's what the top scores look like with my initial algorithm:
There are so many ways to improve and tune the scoring. I look forward to playing with it more.
And there's more I'd like to write code for and expand my use of the API, for example:
I hope you find the scoring approach intriguing. There's so much more that can be done to improve this. Please feel free to play with it and post your ideas below.
If you have any questions or suggestions, please post them in the comments. If you'd like to keep up on my future Envato Tuts+ tutorials and other series, please visit my instructor page or follow @reifman. Definitely check out my startup series and Meeting Planner.
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…