Filament 如何自定义登录页面

官方的页面太简约了,而且可供修改的范围太少了

通过发布官方资源可以看到

resources/views/vendor/filament-panels/pages/auth/login.blade.php

<x-filament-panels::page.simple>@if (filament()->hasRegistration())<x-slot name="subheading">{{ __('filament-panels::pages/auth/login.actions.register.before') }}{{ $this->registerAction }}</x-slot>@endif<x-filament-panels::form wire:submit="authenticate">{{ $this->form }}<x-filament-panels::form.actions:actions="$this->getCachedFormActions()":full-width="$this->hasFullWidthFormActions()"/></x-filament-panels::form>
</x-filament-panels::page.simple>

你能修改的只有这个form的样式,一般我们都想把登录页面的整体布局修改下,比如加个大背景图啥的

可以看到他继承的是这个文件resources/views/vendor/filament-panels/components/layout/simple.blade.php

但是这个页面可能会被其他地方使用,为了不影响其他组件,我们就只能重写这一块了
首先自定义layout.blade.php

<x-filament-panels::layout.base :livewire="$livewire"><div class="flex flex-row h-screen w-screen full-body"><div class="left-body col- h-screen w-screen"><!-- 左侧内容 --></div><div class="right-body "><div class="bg-white p-6 login-form shadow-xl rounded-xl md:max-w-lg">{{ $slot }}</div><!-- 右侧内容 --></div></div><style>.left-body{width: 70%;background: url("/img/bg.jpg") center;background-size: cover;opacity: 0.8;}.right-body{width: 25%;}.full-body{justify-content: space-between;align-items: center;}.login-form{margin-right: 5rem;}</style>
</x-filament-panels::layout.base>

然后是login.blade.php,就是把原来的form搬过来,如果你懒的话也可以直接用原来的

@props([
'heading' => null,
'subheading' => null,
])<div {{ $attributes->class(['fi-simple-page']) }}><section class="grid auto-cols-fr gap-y-6"><x-filament-panels::header.simple:heading="$heading ??= $this->getHeading()":logo="$this->hasLogo()":subheading="$subheading ??= $this->getSubHeading()"/><div>@if (filament()->hasRegistration())<x-slot name="subheading">{{ __('filament-panels::pages/auth/login.actions.register.before') }}{{ $this->registerAction }}</x-slot>@endif<x-filament-panels::form wire:submit="authenticate">{{ $this->form }}<x-filament-panels::form.actions:actions="$this->getCachedFormActions()":full-width="$this->hasFullWidthFormActions()"/></x-filament-panels::form></div></section></div>

然后是 Login, 其实就是照搬了官方的文件,登录的逻辑都在这个文件内

<?phpnamespace App\Filament\Pages;use DanHarrin\LivewireRateLimiting\Exceptions\TooManyRequestsException;
use DanHarrin\LivewireRateLimiting\WithRateLimiting;
use Filament\Actions\Action;
use Filament\Actions\ActionGroup;
use Filament\Facades\Filament;
use Filament\Forms\Components\Checkbox;
use Filament\Forms\Components\Component;
use Filament\Forms\Components\TextInput;
use Filament\Forms\Form;
use Filament\Http\Responses\Auth\Contracts\LoginResponse;
use Filament\Notifications\Notification;
use Filament\Pages\BasePage;
use Filament\Pages\Concerns\InteractsWithFormActions;
use Filament\Pages\Page;
use Illuminate\Contracts\Support\Htmlable;
use Illuminate\Support\Facades\Blade;
use Illuminate\Support\HtmlString;
use Illuminate\Validation\ValidationException;/*** @property Form $form*/
class Login extends BasePage
{use InteractsWithFormActions;use WithRateLimiting;protected static string $view = 'filament.pages.login';protected static string $layout = 'components.filament.pages.layout';/*** @var array<string, mixed> | null*/public ?array $data = [];public function hasLogo(): bool{return true;}public function mount(): void{if (Filament::auth()->check()) {redirect()->intended(Filament::getUrl());}$this->form->fill();}public function authenticate(): ?LoginResponse{try {$this->rateLimit(5);} catch (TooManyRequestsException $exception) {Notification::make()->title(__('filament-panels::pages/auth/login.notifications.throttled.title', ['seconds' => $exception->secondsUntilAvailable,'minutes' => ceil($exception->secondsUntilAvailable / 60),]))->body(array_key_exists('body', __('filament-panels::pages/auth/login.notifications.throttled') ?: []) ? __('filament-panels::pages/auth/login.notifications.throttled.body', ['seconds' => $exception->secondsUntilAvailable,'minutes' => ceil($exception->secondsUntilAvailable / 60),]) : null)->danger()->send();return null;}$data = $this->form->getState();if (! Filament::auth()->attempt($this->getCredentialsFromFormData($data), $data['remember'] ?? false)) {throw ValidationException::withMessages(['data.email' => __('filament-panels::pages/auth/login.messages.failed'),]);}session()->regenerate();return app(LoginResponse::class);}public function form(Form $form): Form{return $form->schema([$this->getEmailFormComponent(),$this->getPasswordFormComponent(),$this->getRememberFormComponent(),])->statePath('data');}protected function getEmailFormComponent(): Component{return TextInput::make('email')->label(__('filament-panels::pages/auth/login.form.email.label'))->email()->required()->autocomplete()->autofocus();}protected function getPasswordFormComponent(): Component{return TextInput::make('password')->label(__('filament-panels::pages/auth/login.form.password.label'))->hint(filament()->hasPasswordReset() ? new HtmlString(Blade::render('<x-filament::link :href="filament()->getRequestPasswordResetUrl()"> {{ __(\'filament-panels::pages/auth/login.actions.request_password_reset.label\') }}</x-filament::link>')) : null)->password()->required();}protected function getRememberFormComponent(): Component{return Checkbox::make('remember')->label(__('filament-panels::pages/auth/login.form.remember.label'));}public function registerAction(): Action{return Action::make('register')->link()->label(__('filament-panels::pages/auth/login.actions.register.label'))->url(filament()->getRegistrationUrl());}public function getTitle(): string | Htmlable{return __('filament-panels::pages/auth/login.title');}public function getHeading(): string | Htmlable{return __('filament-panels::pages/auth/login.heading');}/*** @return array<Action | ActionGroup>*/protected function getFormActions(): array{return [$this->getAuthenticateFormAction(),];}protected function getAuthenticateFormAction(): Action{return Action::make('authenticate')->label(__('filament-panels::pages/auth/login.form.actions.authenticate.label'))->submit('authenticate');}protected function hasFullWidthFormActions(): bool{return true;}/*** @param  array<string, mixed>  $data* @return array<string, mixed>*/protected function getCredentialsFromFormData(array $data): array{return ['name' => $data['name'],'password' => $data['password'],];}
}

最后把Login注册进去就行了Providers/Filament/AdminPanelProvider.php

        return $panel->default()->id('admin')->path('admin')->login(Login::class) // 放进去

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/31860.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

matplotlib 设置legend的位置在轴最上方,长度与图的长度相同

import matplotlib.pyplot as plt import numpy as npx1 np.linspace(0, 10, 50) x2 [6,4,3]ax plt.subplot() ax.plot(x1, label"test1") ax.plot(x2, label"test2") # 设置图例的位置 # 将左下角放置在【0, 1.02】位置处&#xff0c;横为1&#xff0c…

9.2.1Socket(UDP)

一.传输层: 1.UDP:无连接,不可靠,面向数据报,全双工. 2.TCP:有连接,可靠,面向字节流,全双工. 注意:这里的可不可靠是相对的,并且和安不安全无关. 二.UDP数据报套接字编程: 1.socket文件:表示网卡的这类文件. 2.DatagramPacket:表示一个UDP数据报. 三.代码实现: 1.回显服务…

原型和原型链理解

这个图大概能概括原型和原型链的关系 1.对象都是通过 _proto_ 访问原型 2.原型都是通过constructor 访问构造函数 3.原型是构造函数的 prototype 4.原型也是对象实例 也是通过 _proto_ 访问原型(Object.prototype) 5.Object.prototype的原型通过 _proto_ 访问 为null 那么…

【ChatGPT】自我救赎

ChatGPT辅助学习C之【在C中如果大数据类型转小数据类型会发生什么呢?】&#xff0c;今天问ChatGPT一个问题&#xff0c;让它解析下面这个C程序&#xff1a; #include <iostream> #include <cstdio> using namespace std; int main() {int a;long long b532165478…

24成都信息工程大学809软件工程考研

1.渐增式与非渐增式各有何优、缺点&#xff1f;为什么通常采用渐增式&#xff1f; 非渐增式是将所有的模块一次连接起来&#xff0c;简单、易行、节省机时&#xff0c;但测试过程难于排错&#xff0c;发现错误也很难定位&#xff0c;测试效率低&#xff1b;渐增式是将模块一个…

【FFMPEG应用篇】使用FFmpeg的常见问题

拼接视频的问题 在使用ffmpeg进行视频拼接时&#xff0c;可能会遇到一些常见问题。以下是这些问题及其解决方法&#xff1a; 1. 视频格式不兼容&#xff1a;如果要拼接的视频格式不同&#xff0c;ffmpeg可能会报错。解决方法是使用ffmpeg进行格式转换&#xff0c;将所有视频转…

flink的ProcessWindowFunction函数的三种状态

背景 在处理窗口函数时&#xff0c;ProcessWindowFunction处理函数可以定义三个状态&#xff1a; 富函数getRuntimeContext.getState, 每个key每个窗口的状态context.windowState(),每个key的状态context.globalState&#xff0c;那么这几个状态之间有什么关系呢&#xff1f; …

分别用Vue和Java来实现的风靡一时的2048 游戏

目录 1、Vue实现2、Java实现 2048 游戏是一个基于网格的数字益智游戏&#xff0c;玩家需要通过滑动相同的数字来合并它们&#xff0c;并最终得到一个值为 2048 的方块。以下是分别用Vue和Java来实现的 2048 游戏&#xff0c;包含运行效果。 1、Vue实现 首先&#xff0c;创建一…

Kubernetes入门 三、命令行工具 kubectl

目录 语法操作示例资源操作Pod 与集群资源类型与别名格式化输出 kubectl 是 Kubernetes 集群的命令行工具&#xff0c;通过它能够对集群本身进行管理&#xff0c;并能够在集群上进行容器化应用的安装和部署。 语法 使用以下语法从终端窗口运行 kubectl 命令&#xff1a; kub…

Python爬虫——requests_get请求

import requests# ?可加可不加 url http://www.baidu.com/s?headers {Cookie: ,User-Agent: , }data {wd: 北京 } # params 参数 response requests.get(urlurl, paramsdata, headersheaders)content response.text print(content)总结&#xff1a; 参数使用params传递…

初学HTML:在线简易画板设计。

最近在HTML&#xff0c;记录下一点点成果。 设计了一个简易画板&#xff0c;通过HTML的Canvas元素实现一个在线画板&#xff0c;用户可以在上面绘制图形或涂鸦。 下面是运行效果&#xff1a; 下面是代码&#xff1a; <!DOCTYPE html> <html> <head><ti…

【Nginx】静态资源部署、反向代理、负载均衡

个人简介&#xff1a;Java领域新星创作者&#xff1b;阿里云技术博主、星级博主、专家博主&#xff1b;正在Java学习的路上摸爬滚打&#xff0c;记录学习的过程~ 个人主页&#xff1a;.29.的博客 学习社区&#xff1a;进去逛一逛~ nginx静态资源部署、反向代理、负载均衡 &…

vue3 provide inject实现强制刷新

1、在 App.vue 文件里写入 provide 的方法 <template> <div id"app"><keep-alive> <router-view v-if"isRouterAlive"></router-view></keep-alive> </div> </template> <script> export default …

详细教程:如何搭建废品回收小程序

废品回收是一项环保举措&#xff0c;通过回收和再利用废弃物品&#xff0c;可以减少资源浪费和环境污染。近年来&#xff0c;随着智能手机的普及&#xff0c;小程序成为了推广和运营的重要工具。本文将详细介绍如何搭建一个废品回收小程序。 1. 进入乔拓云网后台 首先&#xf…

微信朋友圈置顶功能已大范围上线!

微信是目前全球最受欢迎的社交媒体应用之一&#xff0c;拥有数十亿的用户。作为一款持续发展和改进的应用&#xff0c;微信不断推出新的功能来提升用户体验。 近日&#xff0c;iOS微信8.0.41内测版迎来了更新&#xff0c;本次更新距离上个正式版间隔了大概10天的时间。 微信朋友…

Agents改变游戏规则,亚马逊云科技生成式AI让基础模型加速工作流

最近&#xff0c;Stability AI正式发布了下一代文生图模型——Stable Diffusion XL 1.0这次的1.0版本是Stability AI的旗舰版生图模型&#xff0c;也是最先进的开源生图模型。 在目前的开放式图像模型中&#xff0c;SDXL 1.0是参数数量最多的。官方表示&#xff0c;这次采用的…

SpringBoot源码分析(8)--内置ApplicationContextInitializer

文章目录 1、DelegatingApplicationContextInitializer2、SharedMetadataReaderFactoryContextInitializer3、ContextIdApplicationContextInitializer4、ConfigurationWarningsApplicationContextInitializer5、ServerPortInfoApplicationContextInitializer6、ConditionEvalu…

一行JS代码导出ant-design中复杂table表格的Excel

使用方式 1、安装依赖 npm install xlsx-js-style2、复制代码文件exportExcel.js至工程 https://github.com/EnthuDai/export-excel-in-one-line 3、在引入excel.js后调用 Excel.export(columns, dataSource, 导出文件名)4、代码demo 5、效果 页面excel 适用范围 对于使…

16bit、8 通道、500kSPS、 SAR 型 ADC——MS5188N

MS5188N 是 8 通道、 16bit 、电荷再分配逐次逼近型模数 转换器&#xff0c;采用单电源供电。 MS5188N 拥有多通道、低功耗数据采集系统所需的所有 组成部分&#xff0c;包括&#xff1a;无失码的真 16 位 SAR ADC &#xff1b;用于将输入配 置为单端输入&#xff0…

Spring IoC 详解

目录 一、引言二、Spring Bean三、将一个类声明为 Bean 所涉及的注解四、Component 和 Bean 的区别五、注入 Bean 的注解六、Autowired 和 Resource 的区别七、Bean7.1 作用域7.2 线程安全7.3 生命周期 一、引言 IoC&#xff08;Inversion of Control:控制反转&#xff09; 是…