参考文章
在 Laravel 5.8 中正确地应用 Repository 设计模式
Laravel 设计模式:Repository + Service 实战
为什么要在 Laravel 中使用存储库模式(Repository)?
使用该模式的项目
大商创电商
应用场景
抽象通用的查询,很多页面或接口,要展示相同内容,每次都要select筛选一堆字段和with一堆关联,还有加相同的查询条件,在需要的控制器中直接调用repository就能复用数据
参考文章
在 Laravel 5.8 中正确地应用 Repository 设计模式
Laravel 设计模式:Repository + Service 实战
为什么要在 Laravel 中使用存储库模式(Repository)?
使用该模式的项目
大商创电商
应用场景
抽象通用的查询,很多页面或接口,要展示相同内容,每次都要select筛选一堆字段和with一堆关联,还有加相同的查询条件,在需要的控制器中直接调用repository就能复用数据
$data = $model->select($select)
->paginate($request->get('per_page'));
foreach ($data->items() as $key => & $value) {
//操作value
...
}
目的,为了使命名更具有语义化和可读性,方便维护
以laravel框架为例,按实际操作行为划分
表字段,标注注释,表索引
创建表
create_xxxx_table.php
删除表
drop_xxxx_table.php
修改表
包含添加删除字段或索引或其他 ,2种以上行为
modify_xxxx_table.php
字段名称,字段数据类型,字段注释
添加字段
create_xxxx_table_column.php
删除字段
drop_xxxx_table_column.php
修改字段
包含添加和删除和修改字段,2种以上行为
modify_xxxx_table_column.php
操作普通索引,全文索引,空间索引等;
索引优化是业务开发中,修改频率很高的行为,所以需要单独列出来,有很多场景需要,单独的变更索引,而不修改字段
添加索引
create_xxxx_table_index.php
删除索引
drop_xxxx_table_index.php
修改索引
包含添加 删除 修改 和自定义 2种以上行为时
modify_xxxx_table_index.php
单一操作行为的规则,参考上文以此类推。
多次重复行为时增加语义化版本后缀
需要改进
比如第一次业务变更 增加了字段 create_users_table_column.php
第二次业务变更,又要对users表增加字段,则命名为 create_users_table_column_v1.0.0.php
// 转储当前数据库架构并删除所有现有迁移。。。
php artisan schema:dump --prune
调用接口
主要功能,很多sdk都是使用该类库开发
写爬虫抓取页面
项目中应用案例
java的古籍PC网站,该项目无人维护,无法提供书籍数据的接口。分析页面结构和接口使用guzzle库爬取书籍数据,完成数据对接。
在所用请求中共享cookie功能 文档
//创建客户端
$this->client = new Client([
'base_uri' => $this->config['base_uri'],
'timeout' => 20.0,
'cookies' => true, //共享cookie会话
);
//登录
protected function login()
{
$response = $this->client->request('POST', 'XXX', [
'headers' => [
'Accept' => 'application/json'
],
'form_params' => [
'loginName' => $this->config['login_name'],
'loginPassword' => $this->config['login_password']
]
]);
$json = json_decode($response->getBody(), true);
if (isset($json['operateMsg']) && $json['operateMsg'] !== '登录成功!') {
throw new GujiException('原古籍系统账号故障');
}
}
//请求接口数据
protected function request(string $pathUrl, array $param)
{
$this->login(); //首先登录获取Cookies
$response = $this->client->request('POST', $pathUrl, [
'headers' => [
'Accept' => 'application/json'
],
'form_params' => $param
]);
$contents = $response->getBody()->getContents();
$json = json_decode($contents, true);
if (json_last_error() === JSON_ERROR_NONE) {
return $json;
} elseif (json_last_error() == 10) {
//解决json_decode错误Single unpaired UTF-16 surrogate in unicode escape
$contents = \preg_replace('/(?<!\\\)\\\u[a-f0-9]{4}/iu', '', $contents);
$json = \json_decode($contents, true);
if (json_last_error() !== JSON_ERROR_NONE) {
$json = $this->customJsonDecode($contents);
}
return $json;
}
{
throw new GujiException("请求古籍系统接口失败");
}
}
//抓取页面数据
protected function capture(string $pathUrl, array $param = [])
{
$this->login(); //首先登录获取Cookies
$response = $this->client->request('GET', $pathUrl, $param);
if ($response->getStatusCode() == 200) {
//获取页面内容
return $response->getBody()->getContents();
} else {
throw new GujiException("古籍系统故障");
}
}
跟随重定向
https://docs.guzzlephp.org/en/stable/faq.html#how-can-i-track-redirected-requests
https://docs.guzzlephp.org/en/stable/request-options.html#allow-redirects
调用非知名第三方支付系统,前后端分离架构,前端重定向到接口,接口调用第三方支付接口,成功后跟随响应到成功页面
use Illuminate\Support\Facades\Http;
use Psr\Http\Message\UriInterface;
use Psr\Http\Message\RequestInterface;
use Psr\Http\Message\ResponseInterface;
//Http::withOptions laravel对guzzle的封装,详情看文档
$response = Http::withOptions([
'allow_redirects' => [
'max' => 1,
'on_redirect' => function (
RequestInterface $request,
ResponseInterface $response,
UriInterface $uri
) use ($data) {
//自动跟随重定向响应
header('Location:' . $uri);
},
]
])->asForm()->post($this->config['base_uri'] . '/multipay/h5.do', $data);
切换国内镜像 composer 加速扩展包—— hirak/prestissimo 中文文档
–ignore-platform-reqs: 忽略 php
, hhvm
, lib-*
和 ext-*
要求并强制安装,就算本地环境不完全要求。平台配置选项可见 platform
文档
举例说明,windows平台的php不支持pcntl扩展,安装laravel-horizon时需要用的该扩展,可以通过指令强制安装
–with-all-dependencies:(-W)
添加所有白名单中的依赖到白名单,包括那些根依赖,
允许升级、降级和删除目前锁定在特定版本的软件包。
composer require packagename:*
不确定当前项目可以使用扩展的哪个版本的时,可以使用require xxx:* 来计算是否有任何版本可以安装
依赖冲突
比如package A 和 B依赖相同的package C,但是版本不同,需要通过github 或packagelist 的composer.json 找到A和B依赖的最低版本C然后卸载C 然后安装适合版本的A和B,这样会自动安装最适合版本C
laravel 如何覆盖composer的 vendor类文件? 适用于需要修改vendor代码的场景
项目和框架运行缓慢
基于composer构建的项目出现过,加载运行缓慢的问题。碰到过旧laravel项目运行php artisan -v 时,命令显示非常慢。运行php artisan server 访问页面响应也很慢。
具体原因未验证,可能是安装依赖时,和运行项目时的php版本不一致,使用低版本安装了依赖,切换了高版本的php。composer安装项目后,会在vendor/bin目录下生成命令文件和缓存之类的,
解决方法,将vendor目录完全删除,然后重新运行composer install ,项目在升级或切换composer版本和php版本之后保险起见需要重新安装依赖
引入本地包
laravel-devstart 本地包的名称,path指定目录 要用基于当前项目路的相对路径,适用于开发扩展包
//设置路径,本质是创建了一个系统软连接
composer config repositories.laravel-devstart path ../../package/laravel-devstart
//引入本地包的master分支
composer require yangliuan/laravel-devstart:dev-master
composer global require overtrue/package-builder
参考教程
Laravel旧版本和扩展包对应版本,方便维护旧项目时参考
Laravel版本 | 扩展包版本 |
5.5 | “laravel/horizon”: “2.1” |
5.5 | “barryvdh/laravel-ide-helper”: “2.4.1” |
5.5 | “doctrine/dbal”: “^2.10” |
5.5 | “laravel/passport”: “~4.0” |
5.5 | “laravel/tinker”: “~1.0” |
5.5 | “propaganistas/laravel-phone”: “^4.2” |
5.5 | “barryvdh/laravel-debugbar”: “3.4”, |
5.5 | “filp/whoops”: “~2.0” |
5.5 | “friendsofphp/php-cs-fixer”: “^2.14” 配置文件为.php_cs.dist |
PSR
是 PHP Standard Recommendations
(PHP 推荐标准)的简写,由 PHP FIG 组织制定的 PHP
规范,是 PHP 开发的实践标准。中文文档 例如composer 遵循psr4标准
很多php框架和组件都遵循psr规范,因此要编写遵循行业规范的代码
推荐在项目中安装配置,因为不同的项目php版本和规范不同,依赖的php-cs-fixer的版本也不相同
安装
composer require --dev friendsofphp/php-cs-fixer
项目根目录创建 .php-cs-fixer.php 配置文件(旧版本为.php_cs) 并且将它纳入git版本管理,保证该项目的所有开发人员都使用相同的规范
将缓存文件.php-cs-fixer.cache 添加到.gitignore文件中 (旧版本为.php_cs.cache)
规则和配置文件
点击问号,查看配置工具使用说明
通过规则风格筛选 比如php版本,psr12等
选中需要的规则
点击导出按钮生成规则配置文件
如何使用
手动使用方式 文档
#指定规则运行
$ php php-cs-fixer.phar fix /path/to/project --rules=@PSR12
#框架项目中指定配置文件手动修复,以laravel为例,在项目根目录下执行
$ vendor/bin/php-cs-fixer fix --config=.php-cs-fixer.php
#执行结果如下
Loaded config default from ".php-cs-fixer.php".
1) app/Http/Controllers/Admin/CategoryController.php
2) app/Http/Controllers/Admin/HotKeywordsController.php
... 此处省略中间部分输出信息
205) routes/api.php
206) tests/Feature/CommonApiTest.php
Fixed all files in 2.135 seconds, 20.000 MB memory used
php-cs-fixer vscode插件 github
扩展>>安装 ,个人配置项
{
"php-cs-fixer.executablePath": "${extensionPath}/php-cs-fixer.phar",
"php-cs-fixer.onsave": true,
"[php]": {
"editor.defaultFormatter": "junstyle.php-cs-fixer"
},
}
付费替代品vscode 插件 PHP Intelephense 支持代码自动提示,跳转追踪和语法检测 99RMB永久授权
laravel版本 Larastan github 也是基于phpstan开发的
安装
composer require --dev barryvdh/laravel-ide-helper
如果需要为模型生成字段,需要安装如下扩展包,参考文章是laravel5.5版本 跟laravel-ide-helper版本有关
laravel-ide-helper”: “^2.10″版本测试会自动安装doctrine/dbal 扩展包
composer require doctrine/dbal
生成配置文件 config目录下会生成ide-helper.php
php artisan vendor:publish --provider="Barryvdh\LaravelIdeHelper\IdeHelperServiceProvider" --tag=config
为Facades生成文档提示,会在项目根目录下生成_ide_helper.php,可以根据团队需要决定是否将该文件加入.gitignore
php artisan ide-helper:generate
为模型生成注释,要在创建完成模型文件和数据迁移文件运行之后,若数据库字段有注释,则模型字段也会有注释
#不加命令参数给所有模型生成注释
php artisan ide-helper:models
#包含指定模型
php artisan ide-helper:models "App\Models\ExcelDemo"
#忽略指定模型
php artisan ide-helper:models --ignore="App\Models\BaseModel"
#会提示是否覆盖原模型,不覆盖会在根目录下生成_ide_helper_models.php文件,推荐no选项
Do you want to overwrite the existing model files? Choose no to write to _ide_helper_models.php instead (yes/no) [no]:
>
//websocket服务端
composer require beyondcode/laravel-websockets
//发布数据迁移文件
php artisan vendor:publish --provider="BeyondCode\LaravelWebSockets\WebSocketsServiceProvider" --tag="migrations"
//发布配置文件
php artisan vendor:publish --provider="BeyondCode\LaravelWebSockets\WebSocketsServiceProvider" --tag="config"
//安装队列管理面板 或者 使用php artisan queue:work也可以
composer require laravel/horizon
php artisan horizon:install
//执行迁移
php artisan migrate
//前端依赖
npm install laravel-echo pusher-js
.env 配置
//广播驱动设置为pusher
BROADCAST_DRIVER=pusher
//队列驱动改为redis
QUEUE_CONNECTION=redis
//使用laravel-websockets做后端,pusher配置随便填写
PUSHER_APP_ID=yangliuan
PUSHER_APP_KEY=yangliuan
PUSHER_APP_SECRET=yangliuan
//注意一定要注释这行,否则laravel-websockets不生效
#PUSHER_APP_CLUSTER=mt1
//websocket端口号
LARAVEL_WEBSOCKETS_PORT=6001
config/app.php 配置
取消如下Provider的注释
/*
* Application Service Providers...
*/
...
// App\Providers\BroadcastServiceProvider::class,
config/broadcasting.php 配置
按如下修改
'connections' => [
'pusher' => [
'driver' => 'pusher',
'key' => env('PUSHER_APP_KEY'),
'secret' => env('PUSHER_APP_SECRET'),
'app_id' => env('PUSHER_APP_ID'),
'options' => [
'cluster' => env('PUSHER_APP_CLUSTER'),
//本地开发关闭安全连接
'useTLS' => false,
//本地host配置
'host' => '127.0.0.1',
//端口
'port' => env('LARAVEL_WEBSOCKETS_PORT', 6001),
//协议
'scheme' => 'http',
],
],
config/websockets.php
'apps' => [
[
'id' => env('PUSHER_APP_ID'),
'name' => env('APP_NAME'),
'key' => env('PUSHER_APP_KEY'),
'secret' => env('PUSHER_APP_SECRET'),
'path' => env('PUSHER_APP_PATH'),
'capacity' => null,
//是否开启客户端发送消息
'enable_client_messages' => false,
//是否开启统计
'enable_statistics' => true,
],
],
使用laravel excel 队列导出文件后,自动提示并下载,使用公共频道 demo地址
route/channels.php 文件,可以自定义频道名称
Broadcast::channel('excel', function () {
return true;
});
php artisan make:event ExcelExportCompletedEvent
<?php
use Illuminate\Broadcasting\Channel;//公共频道
use Illuminate\Broadcasting\InteractsWithSockets;
use Illuminate\Broadcasting\PresenceChannel; //存在频道可以加入和离开,需要授权
use Illuminate\Broadcasting\PrivateChannel; //私有频道,需要授权
use Illuminate\Contracts\Broadcasting\ShouldBroadcast;
use Illuminate\Foundation\Events\Dispatchable;
use Illuminate\Queue\SerializesModels;
//注意事件一定要实现ShouldBroadcast接口
class ExcelExportCompletedEvent implements ShouldBroadcast
{
use Dispatchable, InteractsWithSockets, SerializesModels;
//public属性会自动转换为广播数据
//自定义广播数据 文档 https://learnku.com/docs/laravel/9.x/broadcasting/12223#b2f5d1
public $excel_path;
public $disk;
/**
* Create a new event instance.
*
* @return void
*/
public function __construct(string $excel_path, string $disk)
{
//文件路径
$this->excel_path = $excel_path;
//磁盘
$this->disk = $disk;
}
/**
* 监听频道
* 监听自己的定义频道名称
*
*
* @return \Illuminate\Broadcasting\Channel|array
*/
public function broadcastOn()
{
return new Channel('excel');
}
}
创建导出文件 ExcelDemoPictureQueryExport 细节略过详情看 laravel excel文档
创建通知队列,用于触发时间
php artisan make:job ExcelNotifyJob
class ExcelNotifyJob implements ShouldQueue
{
use Dispatchable, InteractsWithQueue, Queueable, SerializesModels;
protected $attach;
/**
* Create a new job instance.
*
* @return void
*/
public function __construct(array $attach)
{
$this->attach = $attach;
}
/**
* Execute the job.
*
* @return void
*/
public function handle()
{
//发送广播通知
ExcelExportCompletedEvent::dispatch($this->attach['file_name'], $this->attach['disk']);
}
}
控制器代码
/**
* 字段导出图片 使用队列 并接受广播通知
*
* @param Request $request
* @return void
*/
public function queueImages(Request $request)
{
$file_name = 'excel-demo-'.date('YmdHis').\mt_rand(100000, 999999).'.xlsx';
$disk = 'public';
Excel::queue(new ExcelDemoPictureQueryExport(), $file_name, $disk)
//导出成功后,使用任务链调用excel通知job
//DOC:https://learnku.com/docs/laravel/8.5/queues/10395#dispatching-jobs
//DOC:https://docs.laravel-excel.com/3.1/exports/queued.html#appending-jobs
->chain([
new ExcelNotifyJob(compact('file_name', 'disk'))
]);
return response()->json();
}
//下载文件方法
public function store(Request $request)
{
$request->validate([
'storage_path' => 'bail|required|string',
'disk' => 'bail|nullable|string',
]);
$realPath = Storage::disk($request->input('disk') ?? 'public')
->path($request->input('storage_path'));
return response()->download($realPath)->deleteFileAfterSend();
}
前端代码
使用 Laravel Jetstream Inertia.js 构建
封装laravel-echo.js
import Echo from 'laravel-echo';
window.pusher = require('pusher-js');
const echo = new Echo({
broadcaster: 'pusher',
key: 'yangliuan',
wsHost: window.location.hostname,
wsPort: 6001,
forceTLS: false,
enabledTransports: ['ws', 'wss'],
})
export { echo }
Excel.vue
<template>
<app-layout title="Dashboard">
...
<a href="#" @click="queueImagesClick">
<div class="mt-3 flex items-center text-sm font-semibold text-indigo-700">
<div>队列导出图片并用广播接受通知</div>
<div class="ml-1 text-indigo-500">
<svg viewBox="0 0 20 20" fill="currentColor" class="w-4 h-4"><path fill-rule="evenodd" d="M10.293 3.293a1 1 0 011.414 0l6 6a1 1 0 010 1.414l-6 6a1 1 0 01-1.414-1.414L14.586 11H3a1 1 0 110-2h11.586l-4.293-4.293a1 1 0 010-1.414z" clip-rule="evenodd"></path></svg>
</div>
</div>
</a>
</app-layout>
</template>
<script>
...
//导入laravel echo
import { echo } from '@/laravel-echo'
export default defineComponent({
components: {
AppLayout,
JetApplicationLogo,
Link
},
created() {
//监听公共频道excel,响应下载excel文件
echo.channel('excel')
.listen('ExcelExportCompletedEvent', (e) => {
alert('ExcelExportCompletedEvent')
this.downloadExcel(e.excel_path,e.disk)
console.log(e);
})
},
methods: {
//下载方法
downloadExcel(excel_path,disk) {
const download_url = '/api/files/download?storage_path=' + excel_path + '&disk=' + disk
window.open(download_url)
},
//点击时间调用队列导航图片接口
queueImagesClick() {
axios.post('/api/excel/export/queue-images').then( response => {
console.log(response)
})
}
}
})
</script>
//开启websocket服务
php artisan websockets:serve
//开启horizon队列
php artisan horizon
演示
websocket单独使用一个域名不和http接口共享域名,配置如下
server {
listen 80;
server_name websocket.exhibition.demo;
location / {
proxy_pass http://127.0.0.1:6001;
proxy_read_timeout 60;
proxy_connect_timeout 60;
proxy_redirect off;
# Allow the use of websockets
proxy_http_version 1.1;
proxy_set_header Upgrade $http_upgrade;
proxy_set_header Connection 'upgrade';
proxy_set_header Host $host;
proxy_cache_bypass $http_upgrade;
}
}
第二种方式websocket和http接口公用一个域名
map $http_upgrade $type {
default "";
websocket "ws";
}
server {
listen 80;
server_name api2.exhibition.demo;
root /home/yangliuan/Code/Php/business-logic/laravel-exhibition/public;
add_header X-Frame-Options "SAMEORIGIN";
add_header X-XSS-Protection "1; mode=block";
add_header X-Content-Type-Options "nosniff";
index index.php;
charset utf-8;
location = /favicon.ico {
access_log off; log_not_found off;
}
location = /robots.txt {
access_log off; log_not_found off;
}
//http
location / {
try_files $uri $uri/ /index.php?$query_string;
}
//websocket
location @ws {
proxy_pass http://127.0.0.1:6001;
proxy_set_header Host $host;
proxy_read_timeout 60;
proxy_connect_timeout 60;
proxy_redirect off;
# Allow the use of websockets
proxy_http_version 1.1;
proxy_set_header Upgrade $http_upgrade;
proxy_set_header Connection 'upgrade';
proxy_set_header Host $host;
proxy_cache_bypass $http_upgrade;
}
location ~ [^/]\.php(/|$) {
fastcgi_pass unix:/dev/shm/php-cgi.sock;
fastcgi_index index.php;
include fastcgi.conf;
}
location ~ /\.(?!well-known).* {
deny all;
}
}
参考
处理一个兼职人员部署的服务器故障
1.php故障
Warning: require_once(ROOTPATHconfig/bluebee.inc.php): failed to open stream: No such file or directory in /web/code/mygym/mygym_pc/include/head.php on line 23
Fatal error: require_once(): Failed opening required 'ROOTPATHconfig/bluebee.inc.php' (include_path='.:/usr/local/php54/lib/php') in /web/code/mygym/mygym_pc/include/head.php on line 23
boss反馈,一个兼职人员开发部署的项目,出现了这个问题,根据经验初步判断,是文件不存在了,或者目录没有权限,登录之后发现,这个phper根本没有linux基础,以及不懂php-fpm运行机制,文件用户和组是 nginx 然后给了777权限
解决方法
service php-fpm status 显示 php-fpm 是www 用户跑的,但是当前服务器没有该用户
执行如下命令,创建www用户并加入www用户组
groupadd www
useradd -g www -M -s /sbin/nologin www
更改代码目录权限
//更改用户组
chown -R www.www /web/code
//更改目录权限
chmod -R 755 /web/code
文件权限根据情况可以给644
2.php报错提示mysql连接失败
service mysqld status 显示启动失败,查看/var/log/mysqld.log 日志 报错如下
mysqld_safe mysqld from pid file /var/lib/mysql/mysqld.pid ended
/etc/my.cnf配置如下
# For advice on how to change settings please see
# http://dev.mysql.com/doc/refman/5.6/en/server-configuration-defaults.html
[mysqld]
skip-grant-tables
#
# Remove leading # and set to the amount of RAM for the most important data
# cache in MySQL. Start at 70% of total RAM for dedicated server, else 10%.
# innodb_buffer_pool_size = 128M
#
# Remove leading # to turn on a very important data integrity option: logging
# changes to the binary log between backups.
# log_bin
#
# Remove leading # to set options mainly useful for reporting servers.
# The server defaults are faster for transactions and fast SELECTs.
# Adjust sizes as needed, experiment to find the optimal values.
# join_buffer_size = 128M
# sort_buffer_size = 2M
# read_rnd_buffer_size = 2M
datadir=/var/lib/mysql
socket=/var/lib/mysql/mysql.sock
# Disabling symbolic-links is recommended to prevent assorted security risks
symbolic-links=0
# Recommended in standard MySQL setup
sql_mode=NO_ENGINE_SUBSTITUTION,STRICT_TRANS_TABLES
[mysqld_safe]
log-error=/var/log/mysqld.log
pid-file=/var/run/mysqld/mysqld.pid
发现是使用rpm包使用的社区版安装的。
尝试了各种发,都没有用,最后参考如下问答解决
restorecon -r /var/lib/mysql
service mysqld start
原因分析
可能是 /var/lib/mysql 目录,用户组 不是 mysql,
移动复制或修改文件时导致了 SELinux文件属性 丢失
首先保证 mysql 数据目录/var/lib/mysql 用户组 必须是 mysql
然后使用 restorecon 恢复文件的安全上下文
restorecon指令参考
其实PHP有三套软件包生态:PEAR、PECL和Composer。
当然PEAR可以忽略不计:作为软件包,其托管的代码基本移植成了Composer包;
作为拓展安装工具,pecl是pear的别名,直接用pecl就完事。
所以PHP软件生态主要是两套:PECL和Composer。
phpstan 静态检测工具
PHP-CS-Fixer 编码格式化修复工具
laravel-ide-helper laravel IDE工具
m9rco/algorithm-php php实现算法
Intervention/image 最好用图片工具
guanguans/notify 项目出现异常时,发送通知到钉钉等…
ezyang/htmlpurifier XSS 过滤
php-casbin 权限控制
BaconQrCode 二维码工具
vinkla/hashids 唯一hashid生成工具
ratchetphp/Ratchet websocket库 php5.4起,适合旧版本
https://github.com/maennchen/ZipStream-PHP zip压缩
https://github.com/alchemy-fr/Zippy 支持.zip,.tar,.tar.gz,tar.bz2,
https://github.com/wapmorgan/UnifiedArchive 支持zip,rar,7z,tar
业务快速开发用laravel,性能选webman,想用协程选hyperf,异步用ReactPHP
php-fpm模式
PHP生态最好的web开发框架,社区活跃,简单实用,具备敏捷开发特质,扩展包和解决方案多,本身集成功能特别多。start数最多。
缺点性能比较差
适合业务复杂或对性能要求不高的场景,提升性能需要单独处理。
什么是laravel
框架方法API文档 https://laravel.com/api/8.x/
laravel-boilerplate laravel样板项目
laravel-devinit 项目初始化工具
stechstudio/laravel-zipstream ZipStream-PHP的laravel封装
laravel-permission RBAC权限扩展包
php-casbin/laravel-authz 权限控制
laravel-enum enum类型支持
mews/purifier XSS 过滤
overtrue/laravel-lang 语言包支持
spatie/laravel-translatable 数据库多语言包
Astrotomic/laravel-translatable 数据库多语言包
jenssegers / laravel-mongodb mongodb ORM 支持
barryvdh/laravel-snappy html转pdf 使用 wkhtmltopdf
barryvdh/laravel-dompdf html转pdf 使用 dompdf
simple-qrcode 二维码生成工具 在线文档
Eloquent Filter – 模型关联查询过滤
Maatwebsite/Laravel-Excel excel 导入导出
yajra/laravel-oci8 Oracle DB driver for Laravel 4|5|6|7|8 via OCI8
protonemedia/laravel-ffmpeg ffmpeg
Laravel-Phone– 全球手机号和电话验证
laravel-search 搜索扩展包 驱动支持 Elasticsearch, Algolia, and ZendSearch
laravel-geoip 根据访问者的 IP 地址确定网站访问者的位置
laravel-queue-rabbitmq laravel rabbitmq驱动
l5-repository Laravel 5 – Repositories to abstract the database layer
阿里云文件存储 laravel-filesystem-oss
七牛云文件存储 flysystem-qiniu
Xethron/migrations-generator 数据库转换迁移文件 <= 5.5
kitloong/laravel-migrations-generator 数据库转换迁移文件 >=5.5
Laravel集成的Faker数据模拟 参考文章 Github https://fakerphp.github.io/
laravel-exception-notify 多种通道的 laravel 异常通知(钉钉群机器人、飞书群机器人、Server 酱、企业微信群机器人、息知)
laravel-modules laravel-plugin 插件机制
codestudiohq / laravel-totem laravel 定时任务管理仪表盘
性能加速组件
laravel-s laravel-swoole Laravel Octane
Symfony 是一个用于 Web 和控制台应用程序的 PHP框架和一组可重用的 PHP 组件。企业级开发框架。引领了很多php业界标准,很多框架的底层组件都使用symfony。
累计下载上亿次
基础入门框架,简单实用尤其是3.2.3版本,生态
php-casbin/think-authz 权限控制
好用的CMS框架 https://www.thinkcmf.com/
没用过不做介绍
Swoole
是一个使用C++
语言编写的基于异步事件驱动和协程的并行网络通信引擎(PHP底层扩展),为PHP
提供协程、高性能网络编程支持。提供了多种通信协议的网络服务器和客户端模块,可以方便快速的实现TCP/UDP服务
、高性能Web
、WebSocket服务
、物联网
、实时通讯
、游戏
、微服务
等,使PHP
不再局限于传统的 Web 领域。CLI模式常驻内存运行
API发展由swoole公司维护和决定. 社区产生分裂 国内原开发者为主swoole 国外开发者为主 openswoole
官方文档 社区
学习成本较高,从业务开发和就业角度(岗位少)来说,不如学golang。对于掌握了底层知识的人来说,学习起来很快。岗位较少。
缺点对传统php-fpm模式下的原有生态组件有不兼容情况,需要重新造轮子
通过开启一键协程功能,对php阻塞函数进行Hook,来达到兼容目的。
退出终止和阻塞函数不能使用,静态变量非必要不能使用,会增加内存溢出风险
用户案例 大厂用的多
hyperf
高性能php容器,网络引擎框架,性能非常高,php框架中
排行第一 。生态相对冷门,对底层基础有要求,很多东西需要自己构建,没有开箱即用的现成轮子,需要其他第三方组件 benchmark (基准) CLI模式常驻内存运行
workerman 基础容器框架
gatewayworker 基于Workerman开发的一个项目框架 用于快速开发TCP长连接应用,例如app推送服务端、即时IM服务端、游戏服务端、物联网、智能家居等等
webman 基于workerman开发的高性能HTTP服务框架。webman用于替代传统的php-fpm架构,提供超高性能可扩展的HTTP服务。你可以用webman开发网站,也可以开发HTTP接口或者微服务。适合中小型对性能要求高项目
以最小内核提供最大的扩展性与最强的性能。
webman仅提供最核心的功能(路由、中间件、session、自定义进程接口)。其余功能全部复用composer生态,这意味着你可以在webman里使用最熟悉的功能组件,例如在数据库方面开发者可以选择使用Laravel的illuminate/database
,也可以是ThinkPHP的ThinkORM
,还可以是其它组件如Medoo
。在webman里集成他们是非常容易的事情。
ReactPHP是PHP中用于事件驱动编程的底层库。它的核心是一个事件循环,在此基础上它提供了底层实用程序,例如:流抽象、异步DNS解析器、网络客户端/服务器、HTTP客户端/服务器以及进程间通信。第三方库可以使用这些组件创建异步网络客户端/服务器等。
Yar(yet another RPC framework, 教主问我为啥都是Ya打头, 呵呵, 因为这样名字好起)是我在3个多月前, 为了解决一个实际的问题, 而开发的一个PHP扩展的, RPC框架, 和现有的RPC框架(xml-rpc, soap)不同, 这是一个轻量级的框架, 支持多种打包协议(msgpack, json, php), 并且最重要的一个特点是, 它是可并行化的..
PHP framework written in c and built as a PHP extension.
Yaf and Phalcon, which is faster?
Phalcon is an open source web framework delivered as a C extension for the PHP language providing high performance and lower resource consumption.
参考
使用XML 相关扩展操作
https://www.php.net/manual/zh/refs.xml.php
示例代码
以处理图片地址为例子
$htmlContent = '<p>测试<img src='xxx.jpeg'></p>';
$htmlDom = new DOMDocument();
@$htmlDom->loadHTML($htmlContent);
$images = $htmlDom->getElementsByTagName('img');
//处理富文本中的图片
foreach ($images as $key => $image)
{
//获取img图片的src属性值
$src = $image->getAttribute('src');
//拼接成完整的url
$image->setAttribute('src', 'http://xxxx.com'.$src);
}
//获取body标签的内容
$body = $htmlDom->getElementsByTagName('body')->item(0);
//转换成html字符串
$content = $htmlDom->saveHTML($body);
//替换掉body标签
$content = str_replace(['<body>', '</body>'], '', $content);