Courses

Livewire 3 From Scratch: Practical Course

Practical Start: Form "Live-Submit" Demo

I want to start this course by demonstrating Livewire to you. Its purpose is to create dynamic pages with no browser refresh but without writing JavaScript. So, let's start with a simple example of submitting the form and showing the success message on the same page, clearing up the form fields.

saved message

Let's start by installing Livewire into a Laravel project and creating the first Component.

By the of the lesson, you will know how to:

  • Install Livewire and create a Livewire component.
  • Use component properties and bind them into a form.

Preparation and Skeleton Project

Before installing Livewire, we will create a new Laravel project.

For this case, to have a simple design, I will use the Laravel Breeze starter kit but our custom version of it - Breeze Pages Skeleton. It allows you to quickly have Breeze-style pages without authentication.

Notice: you don't have to use Breeze or our skeleton to use Livewire. This is just for demonstration purposes.

git clone https://github.com/LaravelDaily/Laravel-Breeze-Pages-Skeleton project
cd project
# Copy `.env.example` file to `.env` and edit database credentials there
composer install
php artisan key:generate
php artisan migrate --seed
npm install && npm run build

Now you should see this homepage.

Notice: the URL project2.test comes from my local Laravel Valet. Your domain will likely be different.

Next, we create a Migration and a Model for posts that we will work with:

php artisan make:model Post -m

Migration:

public function up(): void
{
Schema::create('posts', function (Blueprint $table) {
$table->id();
$table->string('title');
$table->text('body');
$table->timestamps();
});
}

app/Models/Post.php:

class Post extends Model
{
use HasFactory;
 
protected $fillable = ['title', 'body'];
}

Let's add our new table to the database:

php artisan migrate

Next, we create a Blade View file for our upcoming form. We just open the existing resources/views/home.blade.php and do File -> Save as with a new filename, changing the text from "This is home page!" to "Livewire form will be here".

resources/views/posts/create.blade.php:

<x-app-layout>
<x-slot name="header">
<h2 class="font-semibold text-xl text-gray-800 dark:text-gray-200 leading-tight">
{{ __('Create Post') }}
</h2>
</x-slot>
 
<div class="py-12">
<div class="max-w-7xl mx-auto sm:px-6 lg:px-8">
<div class="bg-white dark:bg-gray-800 overflow-hidden shadow-sm sm:rounded-lg">
<div class="p-6 text-gray-900 dark:text-gray-100">
Livewire form will be here.
</div>
</div>
</div>
</div>
</x-app-layout>

Finally, we create a Laravel Route to that Blade file.

routes/web.php:

Route::view('posts/create', 'posts.create');

And now, if we launch the URL /posts/create, we see the new page.

Ok, we've done our Laravel "homework". Now we're ready for Livewire.


Install Livewire and Create First Component

In the Terminal, we run this:

composer require livewire/livewire:^3.0

Now that we have installed Livewire, let's create a Component and call it CreatePost.

php artisan make:livewire CreatePost

This command creates two files:

  • a PHP class: app/Livewire/CreatePost.php
  • and a Blade View file: resources/views/livewire/create-post.blade.php

Now that we have a Livewire component, we need to render it inside the Laravel Blade file. You can do that using the <livewire:component-name /> syntax.

So, to render our CreatePost component, we need to add <livewire:create-post /> where we want to show the content of it.

resources/views/posts/create.blade.php:

<x-app-layout>
<x-slot name="header">
// ...
</x-slot>
 
<div class="py-12">
<div class="max-w-7xl mx-auto sm:px-6 lg:px-8">
<div class="bg-white dark:bg-gray-800 overflow-hidden shadow-sm sm:rounded-lg">
<div class="p-6 text-gray-900 dark:text-gray-100">
<livewire:create-post />
</div>
</div>
</div>
</div>
</x-app-layout>

For a simple demonstration that it works, let's add a static text to the Livewire component in the resources/views/livewire/create-post.blade.php Blade file.

resources/views/livewire/create-post.blade.php:

<div>
Create Post Livewire Component
</div>

Important: The Livewire component needs to have a root <div> HTML tag.

Now, visit the page /posts/create where your Livewire component should be rendered, and you will see that static text from the Component.

livewire component rendered

Great, our component is loaded!


Remove Alpine.js from Breeze

Extra mini-step for those who use Laravel Breeze as a starter kit. Breeze automatically adds Alpine.js in its main JavaScript file:

resources/js/app.js:

import './bootstrap';
 
import Alpine from 'alpinejs';
 
window.Alpine = Alpine;
 
Alpine.start();

But when we install Livewire, it also adds Alpine by default since the Livewire 3 version.

So, to avoid conflicts of double-loading Alpine, we need to leave only one line in this Breeze file.

resources/js/app.js:

import './bootstrap';

If you use npm run dev, JavaScript should re-compile automatically. Otherwise, re-run npm run build.


Properties and Data Binding

Now, let's add a simple form instead of that static text. The form input design is based on Blade components from Laravel Breeze.

resources/views/livewire/create-post.blade.php:

<div>
<form method="POST">
<div>
<label for="title" class="block font-medium text-sm text-gray-700">Title</label>
<input id="title" class="block mt-1 w-full border-gray-300 rounded-md shadow-sm" type="text" />
@error('title')
<span class="mt-2 text-sm text-red-600">{{ $message }}</span>
@enderror
</div>
 
<div class="mt-4">
<label for="body" class="block font-medium text-sm text-gray-700">Body</label>
<textarea id="body" class="block mt-1 w-full border-gray-300 rounded-md shadow-sm"></textarea>
@error('body')
<span class="mt-2 text-sm text-red-600">{{ $message }}</span>
@enderror
</div>
 
<button class="mt-4 px-4 py-2 bg-gray-800 rounded-md font-semibold text-xs text-white uppercase tracking-widest hover:bg-gray-700">
Save
</button>
</form>
</div>

The form should look similar to this:

livewire form

So now that we have a form, each input field should have a public property inside the Livewire PHP class.

app/Livewire/CreatePost.php:

use Livewire\Component;
use Illuminate\Contracts\View\View;
 
class CreatePost extends Component
{
public string $title = '';
 
public string $body = '';
 
public function render(): View
{
return view('livewire.create-post');
}
}

Now, we need to bind those properties to the inputs in the Blade file using the wire:model directive. Notice these two additions below:

  • wire:model="title"
  • wire:model="body"

resources/views/livewire/create-post.blade.php:

<div>
<form method="POST">
<div>
<label for="title" class="block font-medium text-sm text-gray-700">Title</label>
<input id="title" class="block mt-1 w-full border-gray-300 rounded-md shadow-sm" type="text" />
<input id="title" wire:model="title" class="block mt-1 w-full border-gray-300 rounded-md shadow-sm" type="text" />
@error('title')
<span class="mt-2 text-sm text-red-600">{{ $message }}</span>
@enderror
</div>
 
<div class="mt-4">
<label for="body" class="block font-medium text-sm text-gray-700">Body</label>
<textarea id="body" class="block mt-1 w-full border-gray-300 rounded-md shadow-sm"></textarea>
<textarea id="body" wire:model="body" class="block mt-1 w-full border-gray-300 rounded-md shadow-sm"></textarea>
@error('body')
<span class="mt-2 text-sm text-red-600">{{ $message }}</span>
@enderror
</div>
 
<button class="mt-4 px-4 py-2 bg-gray-800 rounded-md font-semibold text-xs text-white uppercase tracking-widest hover:bg-gray-700">
Save
</button>
</form>
</div>

That binding means that whenever the input value changes, the Livewire component variables will receive those new values, and then you may perform PHP operations with them.


Action Methods: Submit Form Data

Now, let's add an action to save a post to the DB. For that, we create a method inside the Livewire PHP class. This method can be called whatever you want. We will just name it save().

app/Livewire/CreatePost.php:

class CreatePost extends Component
{
// ...
 
public function save(): void
{
dd('save'); // Just for demonstration, for now
}
 
// ...
}

For now, we hardcode the text just to show that it works.

Now, we need to call this method from Blade upon pressing the Save button. This is done by using the wire:submit directive and specifying the method.

resources/views/livewire/create-post.blade.php:

<div>
<form method="POST">
<form method="POST" wire:submit="save">
 
// ...
 
</form>
</div>

Now, after clicking the Save button, we will have a dd() message save.

dd post save

This means the button works! Now, let's replace the dd() with saving a post to the DB.

app/Livewire/CreatePost.php:

use App\Models\Post;
 
class CreatePost extends Component
{
// ...
 
public function save(): void
{
dd('save');
Post::create([
'title' => $this->title,
'body' => $this->body,
]);
}
 
// ...
}

After clicking Save, we should see a new post if we check the posts table in the DB.

post in the db


Form Validation

Currently, our form doesn't have any validation after submitting, so let's add a few rules.

One of the ways to add them, released in the Livewire 3, is to use PHP 8 syntax of attributes on top of each property variable.

app/Livewire/CreatePost.php:

use Livewire\Attributes\Validate;
 
class CreatePost extends Component
{
#[Validate('required|min:5')]
public string $title = '';
 
#[Validate('required|min:5')]
public string $body = '';
 
public function save(): void
{
$this->validate();
 
Post::create([
'title' => $this->title,
'body' => $this->body,
]);
}
 
// ...
}

And that's it. That is how easy it is to add validation in the Livewire component. And all Laravel validation rules also work here.

After clicking the Save button, you will see validation error messages.

failed validation

Again, to reiterate: this happens without a page refresh but without writing any JavaScript. That's the beauty of Livewire.


Show Success Message and Clear Form

Now, after saving the post, let's show a success message above the form and clear the form.

First, the success message. For this, we need a new boolean property $success, with a false default value.

class CreatePost extends Component
{
#[Validate('required|min:5')]
public string $title = '';
 
#[Validate('required|min:5')]
public string $body = '';
 
public bool $success = false;
 
// ...
}

In the Blade file, we need to make a simple if-check to see whether $success is true, and then the message will be shown.

resources/views/livewire/create-post.blade.php:

<div>
@if($success)
<span class="block mb-4 text-green-500">Post saved successfully.</span>
@endif
 
// ...
</div>

Notice. I'm not sure if you fully understand by now, but I will reiterate: each property of the Livewire class is automatically available in the Blade file as a variable. There is no need to pass them manually.

All that is left is to set success to true and reset the form.

app/Livewire/CreatePost.php:

class CreatePost extends Component
{
// ...
 
public function save(): void
{
$this->validate();
 
Post::create([
'title' => $this->title,
'body' => $this->body,
]);
 
$this->success = true;
 
$this->reset('title', 'body');
}
 
// ...
}

The method $this->reset() sets all the passed properties to their default values, which are empty strings in our case.

After the post is saved, we see a success message.

saved message

Great, it all works!

The repository for this lesson is here on GitHub.

So, does it give you an overview and "the first feeling" of Livewire? To reiterate, it gives you the opportunity to process form input variables without refreshing the page, but it all happens in a PHP/Laravel code familiar to us. No JavaScript to write. At all.

Curious to find out more? Let's dive deeper!

avatar

For some reason the reset did not work however the success message did appear and it was saved in the database. I did copy and past you code in.

By the way hear is the composer json and package json content


 "require": {
        "php": "^8.2",
        "guzzlehttp/guzzle": "^7.8",
        "laravel/breeze": "^1.23.1",
        "laravel/framework": "^10.21",
        "laravel/helpers": "^1.6",
        "laravel/sanctum": "^3.2.6",
        "laravel/tinker": "^2.8.2",
        "livewire/livewire": "^3.0.1",
        "tpetry/laravel-mysql-explain": "^1.0.2"
    },
    "require-dev": {
        "barryvdh/laravel-debugbar": "^3.9.2",
        "barryvdh/laravel-ide-helper": "^2.13",
        "beyondcode/laravel-query-detector": "^1.7",
        "fakerphp/faker": "^1.23.0",
        "laravel/pint": "^1.12",
        "laravel/sail": "^1.24.0",
        "mockery/mockery": "^1.6.6",
        "nunomaduro/collision": "^7.8.1",
        "pestphp/pest": "^2.16.1",
        "pestphp/pest-plugin-laravel": "^2.2",
        "spatie/laravel-ignition": "^2.3"
    },


 "devDependencies": {
        "@tailwindcss/forms": "^0.5.6",
        "alpinejs": "^3.13.0",
        "autoprefixer": "^10.4.15",
        "axios": "^1.5.0",
        "laravel-vite-plugin": "^0.8.0",
        "postcss": "^8.4.29",
        "tailwindcss": "^3.3.3",
        "vite": "^4.4.9"
    }


PS. Every thing has been working up to this point.

😍 1
avatar

that did not fix a thing It still will not work.

avatar

Did you run npm run dev or prod after removing alpine. Any console errors?

avatar

I am using vite. however I restarted it and I am still getting the same thing and I am getting No errors.

avatar

Please did your find a solution for the issue of $this->reset() not working ? Having the same error

avatar

The reason is in your setup. If you are using breeze then you need to remove alpine and compile assets using npm run prod

avatar

use Livewire\Attributes\Validate; Phpstorm show error: Undefined class Validate.

I changed to this and now works: protected $rules = [ 'title' => 'required|min:6', 'body' => 'required|min:10', ];

avatar

The import should be correct. Check the docs https://livewire.laravel.com/docs/validation#validate-attributes

avatar

I have to upgrade livewire to v3.4.10 new version, then the validate attributes can work. When I use v3.0.0, the phpstorm always show error undefined class validate.

avatar

Don't know the reason why wouldn't you use the latest version. In one of the v3 version attribute nanespace was changed. You can check release notes to see hen

avatar

I've got the same issue as Richard A. Hoyle. Everithing works but the reset. I've notice that even the input text content is there, if you try to save again you'll have a message as if the text was empty!

avatar

Read Povilas tweet that was mentioned here already

avatar

Thank you but I'm not using Alpine / Breeze. Have any other sugestion?

{ "private": true, "type": "module", "scripts": { "dev": "vite", "build": "vite build" }, "devDependencies": { "axios": "^1.1.2", "laravel-vite-plugin": "^0.8.0", "vite": "^4.0.0" } }

avatar

Still it's gonna something about your setup. Maybe you are adding alpine some other way. Hard to tell. Check console errors.

avatar

I start to use Jetstream and all is working now.

Thanks

avatar

Thats one way. But it would be better to find problem which will help in the long

avatar

Thought I would try this out in Jetstream and guess what it is working perfectly the inputs are reset and the info is saved to the database Grate! This is the new Jetstream 4 with livewire 3

avatar

Ots bec it uses the v3 livewire. It means earlier it was problem with how you set up your project. This course isn't about using anything besides livewire

avatar

Following this tutorial, I am stucked at loading the first component. Teacher says "Now, visit the page where your Livewire component should be rendered, and you will see that static text from the Component." We havn't created any route yet so what url should I use in my browser? I am on localhost:8000/....

avatar

OK, I created this route:

Route::get('/post', CreatePost::class);

and a view/components/layout.blade.php: https://laravel.com/docs/10.x/blade#layouts-using-components then changed in the livewire config: 'layout' => 'components.layout', finaly I changed posts/create.blade.php

<x-layout>
    <livewire:create-post />
</x-layout>
avatar

Thanks for the comment. I didn't think I needed to explain the route, as it could be any route that leads to the Blade file, but maybe you're right as it's not perfectly clear.

I added a few lines of explanation with a simple route:

Route::view('posts/create', 'posts.create');
avatar

Hey Povilas,

Great course as usual!

Would you consider committing each lesson to the Git repository as you complete it, so that we can follow along more easily lesson-by-lesson? Maybe even add each lesson in several commits, if there are significant stages during the lesson where things change?

Also great "lesson zero" would be setting up the project with commits showing the initial commit of the empty Laravel framework, then subsequent commits showing each package being added, such as TailwindCSS, TailwindCSS/Forms, Livewire 3, etc. Much can be learned quickly on how to create a new project from such a concise first set of commits. And it would mean that we all start out with something which actually looks like your screenshots ;o))

Thanks again.

avatar

I tried to do that, but during the creation of the lesson there are so many little changes that it's extra hard to keep it all in one commit.

The purpose of my lesson is exactly that you would practice on something that does NOT look like my screenshots, as the course is NOT about Laravel/Tailwind, so my goal is that it would fit anyone using Livewire 3, even if they use Bootstrap or other design.

But maybe for the future I would reconsider it, maybe showing one path in full from the beginning, repeating all the fundamentals, is a better way to teach. Will think about it, thanks for the opinion!

avatar

@livewireStyles @livewireScripts didint work form me, the create post from appears without css

avatar

I don't understand why adding these form should be styled. It's livewire styles and v3 doesn't even need it. In this course we are using tailwind for styling.

avatar

Did you used the Tailwind CLI tool or did you include tailwind by using CDN in the header?

avatar

Used breeze to be quicker. But in this course it doesn't matter what you will use

avatar

If you are following along with the tutorial, when you get to the step of creating resources/views/posts/create.blade.php

If you notice that it does not have any styles, it is because some of the required styles/scripts are not included.

<html>
    <head>
        <title>Laravel Livewire Create Post Example</title>
        @livewireStyles
        @vite('resources/css/app.css')
    </head>
    <body>
        <livewire:create-post />
        @livewireScripts
    </body>
</html>

Note: the @vite line is there to include the tailwind styles, assuming you are using vite

If it is important to you that your app, looks like the screenshots provided. I would recommend using the LaravelDaily Skeleton - which is linked at the start of this tutorial.

avatar
Marc-Antoine Favreau

Hi, there is no Post model and no migration in the skeleton, it's easy enough to create it but it's missing and the tutorial won't work without it.

avatar

No, it's not missing. Skeleton isn't for this course. It's just a "tool" we use to make demos quickly

avatar
Marc-Antoine Favreau

Ha ok, but the Post model is still missing from what I'm understanding.

I am a noob though, it's totally possible I missed something...

avatar

I hope you don't mind me asking but where does the Post model suddenly come from? It's never been created in any of the steps so it's causing errors simply because it doesn't exist. Sorry, I'm totally new to this. Some guidance on how to fix this would be greatly appreciated! :)

avatar

You have to create it yourself. Before starting this course you must know how Laravel works.

avatar

Fair enough. However, it's still confusing nonetheless as it requires a Model and database table with specific columns that were never mentioned. Perhaps make a short mention of it being required so that newbies like myself won't get stuck?

avatar

Thanks for your feedback. We are on a fine balance between giving too much information versus too little.

We have found that creating Models is usually the simpliest and the most repetitive part, so often we tend to skip it from our tutorial. Especially if the table in our database is very simple like in this case - title, body.

avatar

Hi @modestas, If I can give some constructive feedback. I've stopped using the tutorials and cancelled my membership. When I pay for tutorials, I expect to be given all of the information needed to progress. I don't expect to have to search around and work out what I need to do. Sure, creating a model is simple and as you say there are only two fields. However, as Lucmeister has said, nowhere does it mention that the model needs to be created and what fields are needed. So as soon as I encounter this model, I now need to scan the whole page to see if there are any other fields anywhere else that need to be added. It is not just this tutorial either, I tried three and they were all the same. Sometimes there are whole blocks of code that are missing, or there is an assumption that the IDE that you are using will prepopulate references at the top of the file. Again, all fairly simple stuff to solve, but not what I expect to do when I have paid for the content.

avatar

Hi everyone, thanks for the feedback, and sorry @Lucmeister that missing Model became a blocker for you. I agree we DID need to at least mention it in the course, I will fix the text after finishing writing this comment.

To @gpalmer711, I agree to an extent, we have a "problem" of growing out of the base of total junior developers, so I guess sometimes we assume too much that developers will understand some things by themselves "from the context". That said, if we explain everything deeper, we may disturb the flow of more experienced developers, as @Modestas mentioned. So it's a thin line. But we will try harder to proof-read in the future to avoid skipping the important things.

avatar

Update: after a few more comments, I ended up rewriting the full lesson with adding more details where necessary.

avatar

Many thanks, I am sure this will be helpful to a bunch of people.

avatar

Hey. I'm a bit lost at the very beginning. Several options are presented to get started with this tutorial: breeze, jetstream, skeleton. I do everything step by step but whatever I do I can't see the config/livewire.php file, styles, routing don't work. I see in the comments that others have had similar problems. Is everything up to date here?

avatar

try php artisan livewire:publish --config Wich starter kit do you use?

avatar

For the config file you need to publish it first, this is for every package. For styles and everything else can't help without the errors or something. Maybe you have two alpine instances which then conflict. It is mentioned at the start of the lesson, this is the post: https://laraveldaily.com/post/livewire-3-laravel-breeze-error-alpine-js-conflict Also, you don't need to use any of the starter kits. This course isn't about them. But if you use any of them, then you must know how they work. Like styles needs to recompiled using npm run dev or npm run build

avatar

Now I use Jetstream, fresh install. Published config, changed layout line, changed routing to correct file but still no styles. OK, I will experiment some more with these styles. Thank you for the tips. Sorry, this is all probably simple and obvious but these are my first steps with LW :)

avatar

If you would come to discord it would be easier to help

avatar

I have now finished lessons 1 and 2 of this course. This has been a disappointing experience for the following reasons:

  1. Boilerplate is totally missing. Even if you target the course to experienced Laravel developers, there is no excuse to not at least include a migrations file, like the one I now had to manually create.
  2. The required namespacing (use ...) is usually not mentioned. As a PHPStorm user, for me this is automatic, but otherwise this would have been very frustrating.
  3. The tutorial uses the deprecated #[Rule] attribute (now #[Validate]). I think it's perfectly understandable that the course is not fully updated for this, but I'd expect at least a note mentioning this to new students.
  4. In lesson 1 in the intro it says: If you will be using Full Page Components then you need to set different path for layout. This can be done globally in the config file. This gave me the impression this is optional, but it turns out this is required for lesson 2 as then a Full Page Component is implicitly used. In lesson 2 a Full Page Component is used by calling EditPost::class in the route file, but the fact this actually is a usage of the Full Page Component is not even mentioned.
  5. The required @vite('resources/css/app.css') is missing in the tutorials which causes the examples to be displayed without Tailwind styling. I added this to "resources/views/posts/create.blade.php" and now it works. I understand this course expects some experience with Laravel, but if experience with Tailwind was required, it should be clearly mentioned. And if experience with Tailwind is not required, but it is used in examples, then all the steps to make Tailwind work for the tutorial should be mentioned.
  6. The Intro "Before Starting" mentions Breeze, but lacks to mention that you can simply install Breeze configured for Livewire using the standard Laravel installer (mnaybe not available at the time of creating this course, but update the instructions then to keep the course relevant). It also mentions an outdated Breeze repository which only creates smoke (you'd think a skelleton mentioned in the intro is meant as the actual skeleton for the project).
  7. In lesson 2, it says to edit resources/views/livewire/edit-post.blade.php but this file does not exist yet. What is meant is that the previously created edit-post.blade.php should be copied to edit-post.blade.php and then the change is applied. But then the success message doed not work, because the EditPost class does not contain it. Solution: synchronise CreatePost.php and EditPost.php to both have $success and both call Validate and $succes = true.

The start of the course would have been so much better with clear starting instructions like install standard Laravel 10 with Livewire and Tailwind enabled, run this migration, add this Model, configure Full Page Components, add @vite, and you are good to go.

avatar

First of all, I want to thank you for taking so much time to write it in detail. Wow.

After reading your comment, along with a few others, I realized that indeed we made a few fundamentally wrong decisions with the starter kit for this course: made our own skeleton based on Breeze, and meanwhile it changed the configuration with Vite, Livewire layouts, etc. So, for many people, the beginning of the course, indeed, didn't come together.

Most of your points are valid, I will take some time this weekend to re-read the first lessons and fix the missing parts, and update it.

The Validate syntax meanwhile is already updated, it was changed in Livewire 3.2, recently.

Again, thanks a lot for your valuable time.

avatar

Update: I ended up rewriting the full first lesson with rewording some stuff and adding more details where necessary. Thanks again for your comment.

avatar

For people looking for the migrations file: database/migrations/2024_01_11_194849_create_posts_table.php

<?php

use Illuminate\Database\Migrations\Migration;
use Illuminate\Database\Schema\Blueprint;
use Illuminate\Support\Facades\Schema;

return new class extends Migration {
    public function up(): void
    {
        Schema::create('posts', function (Blueprint $table) {
            $table->id();
            $table->string('title');
            $table->text('body');
            $table->timestamps();
        });
    }

    public function down(): void
    {
        Schema::dropIfExists('posts');
    }
};
avatar

Kudos for giving us the complete file!

avatar

You're welcome! Professional reaction, and the rewrite looks like it solved the getting started issues. Although I think the issues with lesson 2 still exist, but maybe that is in the works.

avatar

For that Lesson 2, I clearly see this command mentioned in the lesson: "php artisan make:livewire EditPost"

So, that file edit-post.blade.php should exist and should work well, maybe you missed launching that command during your testing.

avatar

Yes, the component is created. But I was talking about the implicit usage of a Full Page Compoment which was accomplished with:

Route::get('post/{post}/edit', \App\Livewire\EditPost::class);

But to my regret, my dissapointments have continued through the course. I have made it to chapter 12 trying to follow allong with the examples, but the inconsistencies keep piling. I have to adjust so many small things, it distracts from the actual course, and it makes the process very unproductive.

Starting lessen 12 I decided to stop following the course in a "hands on" way, I may read through the additional chapters, but I won't try to make the code work anymore, simply too unproductive.

In chapter 12 suddenly a Todo list was introduced to show a new concept. This todo list depends on Tables/Models that were not introduced at all. In chapter 9 a new Comments model was introduced with the migration and Model, but chapter 12 just starts using structures that are not present at all.

But what is worse, there was (from an educational perspective) no reason at all to suddenly introduce a Todo application. The Post/Comment structure was perfectly fit to expand into this subject. Or just start with the Todo application from the start and expand from there. But to introduce totally new Projects during the course is just very unfriendly to the students that want to replicate the examples exactly as they are shown.

As said, I will quit following the course, but may use it as a reference.

avatar

Sigh. Ok I guess it's time to re-read the full course.

In general, this course was never planned as a single project, because it's more convenient and appropriate to show different features with different projects, but I guess if it's confusing, need to re-read and change some parts, in upcoming week or so.

avatar

TLDR: On Windows, make sure that after running composer require livewire/livewire:^3.0 , the composer.json does indeed contain "livewire/livewire": "^3.0", and not "livewire/livewire": "3.0".

I could not get the annotation-style validations to function in app/Livewire/CreatePost.php . On submit of the form the following error was returned: Missing [$rules/rules()] property/method on Livewire component . Could not find a cause and eventually noticed that livewire was version locked to 3.0, despite my composer require livewire/livewire:^3.0 command.

Turns out Windows shells can have problems with the caret symbol.

avatar

All is well and good but once we reset the title and body how can we reset the success message say 1 minit later?

avatar

For that you would use js

avatar

can't that be done by axios?

avatar

Axios does only http request. Totally different thing