Thanks to MetaBallStudios, we know how big starships and robots are relative to one another. Now, we can see how earthbound vehicles stack up in this comparison video, which looks at the sizes of everything from Ant-Man’s microscopic van to the wheeled city of London in Mortal Engines. We had no idea that an AT-AT was bigger than Gundam.
Learn How to Draw From Disney Animators Through These Free Videos
https://ift.tt/2VCbihX
Image: YouTube/ Disney Parks
If you’ve been using some of your at-home time to learn how to draw, Disney Parks has a number of videos that might help.
The Park’s “How to Draw” series on YouTube offers videos on how to draw everyone from Elsa and Anna from Frozen to classic characters like Donald Duck and Goofy.
Each video is hosted by an actual Disney animator. Some of the videos are around five minutes, while other more complicated characters can take over 20 minutes to learn. Participating just requires you have a piece of paper and something to draw with.
In total, the playlist has 42 different character videos, so there’s a ton of variety to choose from. you can check out the full list here.
Instructions are presented in a way that they could be done by older kids as well as adults, so it could make for a fun afternoon for aspiring younger artists in your home as well.
I watched a handful of these today, and a number of the animators, especially the guy doing that Elsa video, have a Bob Ross quality to them that make them relaxing to watch, even if your finished drawings end up being better suited for the garbage can than the big screen.
Laravel Jobs and Queues – Configuring, Sending Mail, Dispatching Jobs
https://ift.tt/2VxbWgU
It has been a lot of time since I started using Laravel Queues. During earlier days back than learning complex technologies on own was not easy and I somehow managed guts to learn them and apply in real-time projects.
Today I’m happy that I took that decision. While learning Laravel Framework I got introduced to a lot of intermediate and high-level programming concepts and one concept or say feature on this framework caught my attention was Queues because of its ability to run jobs or tasks in the background.
From the day I learnt queues in started to use it in each of the projects I do in laravel.
Table of Contents
What are Laravel Queues?
Consider you have a heavy processing task to be performed by application this may be generating large data for reporting, blasting emails for a large number of users or such notifying people when their task gets completed.
These are some of the examples and as they are time-consuming you cannot execute these task is normal manner such are on button click or page submit. So to properly handling these task laravel provides queue functionality where tasks data is storing in a database and then the queue will automatically detect any jobs and execute them in background.
Create a Fresh New Laravel Project
Laravel provides two different options for creating a fresh project.
Before you execute below command you must navigate to your directory where you would like to create this project and open the terminal from that particular path.
Using Laravel Installer
This installer is downloaded through composer. Before running this command composer must be installed on your computer.
composer global require laravel/installer
Then you can create a new project by typing below command.
laravel new your_project_name
Directly creating a project through composer command
This is another method and I always go through this method because it doesn’t need the additional installer to be installed other than a composer and also I can specify project version at the end.
Directly creating project second option will take a few minutes. So don’t cancel the process.
Database Connections
In the root directory of the freshly created project, theirs an .env file which contains all the environment setting for the project. There is an option for adding database connection which username and password.
laravel_queues is our database name and then goto PHPMyAdmin and create a database of laravel_queues name.
Note
For demonstration purpose we are using MySql are database. You more robust performance laravel also provides drivers for Redis, Amazon SQS, Beanstalkd etc for more information you can visit drivers and prerequisites of laravel queues.
Queue Configuration and Settings
Since we are telling laravel to use our database as queue driver there is just a simple step to do.
That is to go to .env file and replace below code.
#Replace this line.
QUEUE_CONNECTION=sync
#With this line.
QUEUE_CONNECTION=database
Note
You can also take a look at queue.php inside config a directory which contains an array of all available drivers.
Database Migration
Database migration takes place by creating a migration class inside the folder database/migrations. It contains the schema description of the table and can be migrated to the database. But before start migration, you must inform laravel to create a migration class for queue table for this use below command.
php artisan queue:table
A migration file is created inside database/migrations folder.
Now all these migrations must be migrated to the database for that run below command.
php artisan migrate
By switching to PHPMyAdmin you can see that tables are created in the database.
For testing, purpose let us also create two new tables they are countries_census, states_census.
Note
countries_census the table holds the total population of the country. states_census the table holds the total population of each state which is then mapped to the country table through country_id column.
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
class create_countries_census_table extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::create('countries_census', function (Blueprint $table) {
$table->bigIncrements('country_id');
$table->text('country_name');
$table->unsignedInteger('total_population');
$table->timestamp('updated_at')->nullable();
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::dropIfExists('countries_census');
}
}
<?php
use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;
class create_states_census_table extends Migration
{
/**
* Run the migrations.
*
* @return void
*/
public function up()
{
Schema::create('states_census', function (Blueprint $table) {
$table->bigIncrements('state_id');
$table->text('state_name');
$table->unsignedInteger('country_id');
$table->unsignedInteger('state_population');
});
}
/**
* Reverse the migrations.
*
* @return void
*/
public function down()
{
Schema::dropIfExists('states_census');
}
}
php artisan migrate
Creating models for countries_census and states_census tables.
Laravel models are the representation of the database table which contains tables schematic information as well as one table to another table relationship description.
To create model use below command.
php artisan make:model CountryPopulationModel
In app/CountryPopulationModel.php a new model has been created.
<?php
namespace App;
use Illuminate\Database\Eloquent\Model;
use Illuminate\Support\Facades\Log;
class CountryPopulationModel extends Model
{
protected $table="countries_census";
protected $primaryKey = 'country_id';
protected $fillable = ['country_name', 'total_population'];
public function states()
{
return $this->hasMany(CountryStatePopulationModel::class, 'country_id', 'country_id');
}
}
$table is database table name of than model. $primaryKey is database table primary. $fillable is columns of database table except for primary key.
Similarly, let us create a model for states_census. In app/CountryStatePopulationModel.php.
<?php
namespace App;
use Illuminate\Database\Eloquent\Model;
use Illuminate\Support\Facades\Log;
class CountryStatePopulationModel extends Model
{
protected $table="states_census";
protected $primaryKey = 'state_id';
protected $fillable = ['country_id', 'state_name', 'state_population'];
public function country()
{
return $this->belongsTo(CountryPopulationModel::class, 'country_id', 'country_id');
}
}
Dummy data is also added into both the tables and before running jobs, these tables look like below.
Creating a controller for handling logic
Command to create a new controller.
php artisan make:controller CountryController
app/Http/Controllers/CountryController.php
<?php
namespace App\Http\Controllers;
use App\CountryPopulationModel;
use App\Jobs\ProcessCountriesPopulation;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Log;
class CountryController extends Controller
{
public function process(Request $request){
}
}
Use php artisan the command for creating a new job class.
php artisan make:job ProcessCountriesPopulation
ProcessCountriesPopulation class is created inside the application root directory app/Jobs/ProcessCountriesPopulation.php path. This job class will periodically check for population data for different countries, sum them and update the latest population of the country in countries_census table.
The ProcessCountriesPopulation job class looks like below.
<?php
namespace App\Jobs;
use App\CountryPopulationModel;
use App\CountryStatePopulationModel;
use Illuminate\Bus\Queueable;
use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Foundation\Bus\Dispatchable;
use Illuminate\Queue\InteractsWithQueue;
use Illuminate\Queue\SerializesModels;
use Illuminate\Support\Facades\Log;
class ProcessCountriesPopulation implements ShouldQueue
{
use Dispatchable, InteractsWithQueue, Queueable, SerializesModels;
/**
* Create a new job instance.
*
* @return void
*/
public function __construct()
{
}
/**
* Execute the job.
*
* @return void
*/
public function handle()
{
}
}
Pre-made methods __construct and handle are available.
Note
__construct() the method is used for passing dynamic data to the job.
handle() the method is executed whenever a new job is dispatched. This dispatch event is listened by command queue:work.
<?php
namespace App\Jobs;
use App\CountryPopulationModel;
use App\CountryStatePopulationModel;
use Illuminate\Bus\Queueable;
use Illuminate\Contracts\Queue\ShouldQueue;
use Illuminate\Foundation\Bus\Dispatchable;
use Illuminate\Queue\InteractsWithQueue;
use Illuminate\Queue\SerializesModels;
use Illuminate\Support\Facades\Log;
class ProcessCountriesPopulation implements ShouldQueue
{
use Dispatchable, InteractsWithQueue, Queueable, SerializesModels;
protected $country_census;
/**
* Create a new job instance.
*
* @return void
*/
public function __construct(CountryPopulationModel $country)
{
Log::info('Entered Job ProcessCountriesPopulation __constructor method');
$this->country_census = $country;
}
/**
* Execute the job.
*
* @return void
*/
public function handle()
{
Log::info('Entered Job ProcessCountriesPopulation handle method');
$country_states_population_sum = CountryStatePopulationModel::where(["country_id" => $this->country_census["country_id"]])->sum('state_population');
$country = CountryPopulationModel::find($this->country_census["country_id"]);
$country->total_population = $country_states_population_sum;
$country->save();
Log::info('Exited from Job ProcessCountriesPopulation handle method');
}
}
In the above job, the class constructor method __construct(CountryPopulationModel $country) takes an object which is of type CountryPopulationModel as an argument. This object is then assigned to a class variable $this->country_census. Log::info logs the message in the log file which is placed in the path laravel_queues/storage/logs/laravel.log.
Note
Background logic is always performed in handle() method of job class this place where the jobs are inserted to the job table.
Dispatching Jobs to Queue
app/Http/Controllers/CountryController.php
<?php
namespace App\Http\Controllers;
use App\CountryPopulationModel;
use App\Jobs\ProcessCountriesPopulation;
use Illuminate\Http\Request;
use Illuminate\Support\Facades\Log;
class CountryController extends Controller
{
public function process(Request $request){
Log::info('Entered Job CountryController process method');
$country = CountryPopulationModel::find(101);
ProcessCountriesPopulation::dispatch($country);
Log::info('Exited Job CountryController process method');
}
}
In ProcessCountriesPopulation::dispatch($country); the static dispatch() method passed $country object to job class constructor.
Running Queue Workers on Development Machine
php artisan queue:work
This command will detect any pending jobs is jobs table and executes them one by one.
After going to route countries-census/process in browser. You can see that a new row is already been inserted in jobs table. And below log message appears in laravel_queues/storage/logs/laravel.log a file.
Use cron job option provided by servers and set the frequency to each minute. Which means that the cron job will execute the artisan console commandschedule method each minute which is placed at the path laravel_queues/app/Console/Kernel.php.
I have created a personalized script while using executing job command inside console which I’ll be sharing with you.
First command queue:restart will restart the processing job listeners, every fifteen minutes. The withoutOverlapping method will prevent the same jobs from overlapping with each other.
Running jobs without overlapping will be draining servers physical memory can also leave server hanged up.
Next command queue:work will listen to new jobs every minute. You can also specify flags which have different purposes. Flag --sleep will send queue to sleep mode for specified seconds once all jobs are processed. Flag --tries will attempt to try executing queued for a specified number of times before sending them for failed_jobs.
How to handle failed jobs in Queues?
Queued jobs which were unable to execute even after many attempts are sent to failed_jobs the table. This table consists of information such as connection type, payload, exception information and date-time when a job has failed.
For re-attempting, these failed jobs use below command.
php artisan queue:retry all
Command queue:retry all will retrieve a list of all jobs that are failed and will try to execute them. You can also specify which job to executed by specifying its primary key number like php artisan queue:retry 2 this will execute the job with primary key 2.
List failed jobs
To see all the jobs which are failed use php artisan queue:failed command. This will display all the failed jobs in the terminal.
Queueing Jobs by Priorities
Queue executes jobs on default occurrence. But you can specify the priority of a job during dispatching stage.
Time has come to say goodbye. Coming to the end of this post you have all the basic and intermediate information and examples of working and queues in the development and production stage. This post was regarding Laravel Jobs and Queues – Configuring, Sending Mail, Dispacting Jobs and were are happy to have taken time to go read this post. Support us by sharing this post which will help us grow and comment if you have any doubts we will reach you soon.
The Mandalorian Documentary’s First Trailer Goes Behind the Scenes on Bringing Baby Yoda to Life
https://ift.tt/2VQyecn
Baby Yoda, once again star of the show.Image: Lucasfilm
Trailer FrenzyA special place to find the newest trailers for movies and TV shows you’re craving.
You guys: Werner Herzog wanted to direct that baby so much. Give him a whole episode!
Disney has dropped the first trailer for Disney Gallery: The Mandalorian, a surprise eight-part documentary series that will launch this Star Wars Day, May 4, on Disney+. Going behind the scenes on the first season of the hit Small Green Child show, the series will provide insight from roundtables featuring the directors, producers, and cast of the show, as well as behind-the-scenes footage from the production.
Which means yes, even more Baby Yoda footage to gawk at.
Does it rob a little of the magic of Baby Yoda to see the puppet in action, all its strings (well, metaphorical ones in the age of modern puppetry) attached for us to see? Maybe, but then you get director Deborah Chow recalling how Werner Herzog—who played the Imperial Remnant known only as “The Client” in the first season—would be directing the puppet itself like it was a real baby during his scenes, and your heart melts all over again.
Disney Gallery: The Mandalorian’s first episode will release on Disney+ May 4, alongside the final episode of Star Wars: The Clone Wars. Meanwhile, here’s a new poster for the documentary:
See, you know it’s behind the scenes because you can see a camera.Image: Lucasfilm
Because when you’re Star Wars, even your behind-the-scenes footage gets a poster.
For more, make sure you’re following us on our Instagram @io9dotcom.
In keeping with the current firearms market rage over pistol carbine type guns, Ruger has introduced the innovative new PC Charger. This provides shooters with another exciting option for everyday carry, a truck gun, or for home or personal defense.
The PC Charger is a handheld pistol with an AR type pistol grip and a large magazine well for offhand gripping with a hand stop up front at the muzzle. Though the PC is a handgun, it’s not exactly compact with a threaded 6.5-inch barrel and overall length of 16.5 inches . It is considered a pistol for all legal aspects. The PC’s weight is 5.2 pounds.
Chambered for the street standard 9mm Luger, the PC comes from the factory ready to handle proprietary Ruger magazines, but can be converted with included parts to switch it over to use Glock magazines. This is a handy feature for sure. The Ruger Security 9 magazine holds 17 rounds, enough to start a good shooting round at the range or ward off any threat at home or on the road.
This PC pistol has the capability to take down by locking back the bolt and pushing a recessed lever, allowing the two sections to be twisted until they release and pull apart. One can quickly imagine the utility of being able to take this firearm apart into two subassemblies for easy carry and secure carry or storage.
The PC has a blue finish with the handguard assembly finished in a Type III hard coat anodized finish for tough wear durability and resistance to outdoor elements. The handguard is equipped with M-LOK slots in the 3-6 and 9 o’clock positions. This provides a number of options for adding accessories. The top rail has a built in Picatinny section for mounting a variety of optic options.
The Ruger PC Charger’s chassis is constructed of a glass filled polymer. The rear portion of the frame has an integrated QD cup to allow a quick connection of a QD cup sling. This would permit a single point sling attachment for shoulder carry in a variety of modes. Other features and specifications can be seen at www.ruger.com.
Some may inquire or question as to what the utility is of such a weapon as the PC Charger. That of course is up to the users themselves. Certainly this firearm can fit roles in personal defense, property security, travel security, or just plain and simple shooting fun. Check with your local firearms dealer to see when they expect the PC Charger to be available. It retails at $799.
You Should Set Up Two-Step Verification on Your Nintendo Account Right Now
https://ift.tt/3cy3JOV
If you have a Nintendo account, now’s a good time to make sure that you have two-step verification set up on that account to keep it secure.
Nintendo makes two-step verification optional for its accounts but has recently started a small social media campaign encouraging users to opt in.
This weekend a number of Nintendo Switch owners have posted about third-party logins happening on their accounts, some resulting in the loss of funds, Nintendo Life reports. Nintendo has also recently issued a warning to account holders in Japan citing an increase in credit card fraud through Nintendo accounts.
My own account was accessed by someone in Thailand in late March. Although I luckily was able to catch it and change my password before any damage was done, my secure password clearly wasn’t secure enough, and I’m embarrassed I didn’t have two-step set up prior to that unauthorized login
To set up two-step verification on your account, go to the Nintendo website and then sign into your account.
Afterward, go to “Sign-in and security settings” and then go down to “2-step verification” and click “Edit.”
While some services use your phone number for two-step services, Nintendo only allows two-step verification via an Authenticator app.
Screenshot: E.Price / Nintendo
When you click “2-Step Verification setup” on Nintendo’s site you’ll be sent an email with instructions on how to complete the verification process using Google Authenticator—which should also work on any third-party app you prefer.
As part of that process, you’ll be given some codes to use as backup if you need to access your account and don’t have the app handy. Make sure you store those in a safe place where you’ll be able to find them if need be.
Two-step authentication will make it a tiny bit harder for you to login to your Nintendo account going forward, but it will make it infinitely harder for would-be attackers.
These waterproof LED lights add a wash of color indoors or out. The brightest model punches out 60 watts of illumination, and comes with a 44-key remote to change colors and brightness, as well as fade and strobe modes. The 15-watt Wi-Fi model is compatible with Google Home and Amazon Alexa. Sold in sets of two.
The Best Mosquito Control Gear for Your Patio or Yard
https://ift.tt/2MI9yjy
To keep mosquitoes away from your deck or patio without slathering your skin in bug repellent, get the Thermacell Radius Zone Mosquito Repellent Gen 2.0. After 45 hours researching a category full of marketing hype and debunked methods (including popular options like citronella candles), we found that the Radius stands out by actually being effective. Its rechargeable six-and-a-half-hour battery lasts long enough to odorlessly keep a bedroom-sized area mosquito-free for an entire evening—as long as there’s no breeze.
technology
via Wirecutter: Reviews for the Real World https://ift.tt/2gcK1uO
If You Want to Build a Gigantic House on the Cheap, Look Into “Barndominiums”
https://ift.tt/2XFuM6T
While most homes in America have frames made of wood, a barndominium is a steel-framed house that offers a lot of advantages over wood: Lower costs, both in construction and maintenance, and flexibility of design, whether you prefer open-plan or filled with lots of rooms.
The average cost of building a home in America is $100 to $155 per square foot, according to HomeGuide, a web portal between customers and homebuilders. And while that price will vary depending on what materials the structure of the house is made out of, the 2018 U.S. Census shows that 92.6% of single-family homes built that year were wood-framed.
But there is a far cheaper alternative that’s starting to gain traction, primarily in the South: Steel-framed homes known as "barndominiums" (see bottom for etymology).
The first cost savings comes in the construction costs: "If you include slab commissioning and finishing into the equation, expect to pay around $80 to $90 per square foot," writes Allied Steel Buildings, who should know; their business is to manufacture and erect them.
We spoke with Mark Kisenwether, a consultant and machine designer with decades of experience in construction and heavy industry. Kisenwether has erected 65 steel buildings in his career, "everything from a 12-by-12 guard shack to a 275-by-372 waste oil facility," he says, and he confirmed that $80 per square foot is do-able. "And if I was doing it myself, I could get it down to $50 per square foot, but I’m Mr. Frugal," he laughs. (He also cautions that he has 34 years of experience, so that $50 price is probably not within the range of your average DIY’er).
In any case, when you go with a barndominium, the initial cost savings isn’t the whole story:
Maintenance Savings. Unlike wood, steel is impervious to rot, mold and termites, and "you don’t have to repaint it every season," Kisenweather points out.
Energy Savings. Structures made of steel move and settle less than wood-framed ones, making them less likely to spring air leaks. With proper insulation installed, the structures are well-poised to protect against the elements.
Insurance Savings. Steel structures obviously don’t burn, and can better withstand earthquakes and tornadoes, which results in lower insurance rates.
Given those savings, the barndominium has become a thing, particularly in the South. And as you’ll see, there is no common architectural style associated with them, it’s really up to the homeowner:
As you can see by many of the interior shots here, steel construction affords a lot of design flexibility inside: "You can get spans of over 30 feet, no problem," Kisenwether states. You can live open-plan, "or you can subdivide, put up walls wherever you want, you don’t have to worry about load-bearing."
Why are barndominiums primarily built in the South?
According to the National Association of Home Builders, "Non-wood based framing methods are primarily concentrated in the South due to resiliency requirements [i.e. natural disasters]…Approximately two-thirds of steel framed homes built in 2018 were located in the South, with another one-third in the West."
As for why they’re not popular in the Northeast: According to General Steel Buildings, the American South has the cheapest concrete, insulation and building erection costs. The West is the second cheapest. The most expensive is in the Northeast.
Since steel homes must be built on concrete slabs and will of course need insulation, the savings of steel framing can evaporate in the Northeast.
Where did the name "barndominium" come from?
According to Allied Steel Buildings, the name has been around for decades. "Barnodominium was a name given to barns that had been modified to include living quarters," i.e. a condominium.
In 2016, however, the term jumped from the industry into the minds of millions of TV viewers. On a season three episode of the HGTV show "Fixer Upper," designers/remodelers Chip and Joanna Gaines renovated a 1980 horse barn that had been modified to have an apartment upstairs. Chip referred to it as a barndominium, and given the popularity of the show, awareness of and demand for the structures increased.
If you want to test drive a barndominium, all you have to do is wait until the COVID-19 crisis is over and you can travel again. The Gaines-renovated one you see above is actually up on AirBNB.