首页
友情链接
统计分析
4K壁纸
Search
1
#1031 – TABLE STORAGE ENGINE FOR ” DOESN’T HAVE THIS OPTION解决方法
955 阅读
2
让浏览器不显示 https 页面中 http 请求警报 http-equiv=”Content-Security-Policy” content=”upgrade-insecure-requests”
740 阅读
3
报错代码:ERROR 1227 (42000)-解决办法
550 阅读
4
微信个人商户号养号建议
473 阅读
5
解决移动端position:fixed随软键盘移动的问题
397 阅读
PHP
Mysql
乱七八糟
常用笔记
Linux
Reids
Search
标签搜索
php
千卡云支付
Linux
千卡云
千卡易支付
redis
Nginx
shell
Mysql
JS
支付宝
CentOS
Apache
phpstorm
快捷键
微信支付
字符
layer
Command
base64
蓝科迪梦
累计撰写
51
篇文章
累计收到
1
条评论
首页
栏目
PHP
Mysql
乱七八糟
常用笔记
Linux
Reids
页面
友情链接
统计分析
4K壁纸
搜索到
16
篇与
的结果
2023-08-11
ss-panel-v3-mod_Uim修改笔记
1.简化用户操作,隐藏ss、ssr教程和下载 \resources\views\material\user\index.tpl \resources\views\material\user\tutorial.tpl 修改内容不再贴出 都是html 2.加入slimphp自带的debug \config\routes.php $debug = true; $configuration = [ 'settings' => [ 'debug' => $debug, 'whoops.editor' => 'sublime', 'displayErrorDetails' => $debug ] ]; //error_reporting(E_ALL); //set_error_handler(function ($severity, $message, $file, $line) { // if (error_reporting() & $severity) { // throw new \ErrorException($message, 0, $severity, $file, $line); // } //}); 3.增加易支付模块 \config\.config.php 加入新的支付配置参数 $System_Config['payment_system']='epay'; #epay易支付 #鼎云支付:http://pay.xianweicm.com $System_Config['epay_partner']= ''; //商户ID $System_Config['epay_key']= ''; //商户KEY $System_Config['epay_apiurl'] = ''; //支付API地址 \config\routes.php //加入新的路由 $app->group('/user', function () { //支付跳转 131行 $this->get('/code/epay', App\Services\Payment::class . ':purchase'); } $app->group('/payment', function () { //异步回调加入get请求支持 161行 $this->get('/notify', App\Services\Payment::class . ':notify'); }); \app\Services\Payment.php 引用新的类 use App\Services\Gateway\Epay getClient(){方法 21行,加入新的指针对象 switch ($method) { case ('epay'): return new Epay(); } \app\Services\Gateway\Epay.php \\增加完整的模块操作 \extra\epay\require.php \\上传易支付sdk包 sdk包下载地址: https://gitee.com/bufanyun/pay/tree/master/SDK/lib 4.取消360浏览拦截 \public\assets\js\fuck.js 隐藏底部判断方法 5.修改composer中 Illuminate database底层 \vendor\esdeathlove\datatables\src\Datatables.php 方法generate() 213行,解决一个php7的报错 if(count((array)$this->edit) > 0) // if (count($this->edit) > 0)
2023年08月11日
201 阅读
0 评论
0 点赞
2023-08-11
使用illuminate database查询构造器进行数据库操作
Illuminate database是一个非常强大非常优秀的ORM类库,也是一个非常实用的数据库操作组件。使用它可以轻松对数据库进行查询、插入、更新、删除等操作,支持MySQL,Postgres,SQL Server,SQLlite等。它还是Laravel框架的数据库组件。 本文单独将illuminate database拿出来,脱离框架,主要讲讲使用illuminate database查询构造器进行数据库操作。 安装 使用 composer 安装,直接在项目根目录的命令行里,执行 composer require illuminate/database 建议PHP版本使用PHP^7.2。 建立配置 创建一个Capsule管理实例来配置数据库连接参数。 <?php $capsule = new \Illuminate\Database\Capsule\Manager; // 创建链接 $capsule->addConnection([ 'driver' => 'mysql', 'host' => 'localhost', 'database' => 'demo', 'username' => 'root', 'password' => '', 'charset' => 'utf8mb4', 'port' => 3306, 'collation' => 'utf8mb4_general_ci', 'prefix' => 'web_', ]); // 设置全局静态可访问DB $capsule->setAsGlobal(); // 启动Eloquent (如果只使用查询构造器,这个可以注释) $capsule->bootEloquent(); 将配置文件保存为database.php。再新建文件index.php,代码如下: <?php date_default_timezone_set("PRC"); require 'vendor/autoload.php'; require 'database.php'; use Illuminate\Database\Capsule\Manager as DB; 自行准备好数据库表,现在,可以直接在index.php后面写数据库操作语句了。 获取结果集 从一张表中获取一行/一列 如果我们只是想要从数据表中获取一行数据,可以使用first 方法,该方法将会返回单个StdClass对象: $article = DB::table('article')->where('author', '月光光')->first(); echo $article->title; 如果我们不需要完整的一行,可以使用value 方法从结果中获取单个值,该方法会直接返回指定列的值: $title = DB::table('article')->where('author', '月光光')->value('title'); 获取数据列值列表 如果只要查询表中的某一列值,可使用pluck方法。 $titles = DB::table('article')->where('author', '月光光')->pluck('title'); foreach ($titles as $title) { echo $title; } 如果要获取一个表中的其中几个字段列的结果,可以使用select和get方法。 $list = DB::table('article')->select('id', 'title')->get(); $list = DB::table('article')->get(['id', 'title']); 两条语句返回的结果是一样的。要获取结果,需要遍历$list: foreach ($list as $key => $val) { echo $val->id; echo $val->title; } 强制不重复 distinct方法允许你强制查询返回不重复的结果集 $list = DB::table('article')->distinct()->get(); Where查询 简单 Where 子句 使用查询构建器上的where方法可以添加where子句到查询中,调用where最基本的方式需要传递三个参数,第一个参数是列名,第二个参数是任意一个数据库系统支持的操作符,第三个参数是该列要比较的值。 如,查询id值为100的记录。 $row = DB::table('article')->where('id', '=', '100')->get(); 当要查询的列值和给定数组相等时,可以将等号省略。上面的语句可以这样写: DB::table('article')->where('id', '100')->get(); 除了等号,还有>=,<=,<>,like DB::table('article')->where('title', 'like', 'php%')->get(); Where数组 还可以传递条件数组到where函数: $list = DB::table('article')->where([ ['id', '>', '100'], ['source', '=', 'helloweba.com'] ])->get(); or 语句 我们可以通过方法链将多个where约束链接到一起,也可以添加 or 子句到查询,orWhere方法和 where 方法接收参数一样: $list = DB::table('article') ->where('source', 'helloweba.com') ->orWhere('hits', '<', '1000') ->get(['id', 'title', 'hits']); whereIn语句 whereIn方法验证给定列的值是否在给定数组中。whereNotIn方法验证给定列的值不在给定数组中。 $list = DB::table('article')->whereIn('id', [10,100,200])->get(['id', 'title']); whereBeteen语句 whereBetween方法验证列值是否在给定值之间,whereNotBetween方法验证列值不在给定值之间。 $list = DB::table('article') ->whereBetween('hits', [1, 1000])->get(['id', 'title', 'hits']); whereNull语句 whereNull方法验证给定列的值为NULL,whereNotNull方法验证给定列的值不是 NULL。 $list = DB::table('article') ->whereNull('updated_at') ->get(); whereDate语句 如果我们要查询创建日期在2019-08-29的文章记录,可以使用whereDate。 $list = DB::table('article')->whereDate('created_at', '2019-08-29')->get(['id', 'title', 'created_at']); whereMonth语句 如果我们要查询创建月份在10月份的所有文章记录,可以使用whereMonth。 $list = DB::table('article')->whereMonth('created_at', '10')->get(['id', 'title', 'created_at']); whereDay语句 如果要查询创建日期在1号的所有文章,可以使用whereDay。 $list = DB::table('article')->whereDay('created_at', '1')->get(['id', 'title', 'created_at']); whereYear语句 如果要查询创建年份是2016年的所有文章,可以使用whereYear。 $list = DB::table('article')->whereYear('created_at', '2016')->get(['id', 'title', 'created_at']); whereTime语句 如果要查询创建时间在10:20的所有文章,可以使用whereTime。 $list = DB::table('article')->whereTime('created_at', '10:20')->get(['id', 'title', 'created_at']); whereColumn语句 如果要查询文章表中创建时间和更新时间相等的所有文章,可以使用whereColumn。 $list = DB::table('article')->whereColumn('created_at', '=', 'updated_at')->get(['id', 'title', 'created_at']); 聚合查询 查询构建器还提供了多个聚合方法,如总记录数: count, 最大值: max, 最小值:min,平均数:avg 和总和: sum,我们可以在构造查询之后调用这些方法。 $count = DB::table('article')->count(); //总记录数 $max = DB::table('article')->max('hits'); //点击量最大 判断记录是否存在 除了通过 count 方法来判断匹配查询条件的结果是否存在外,还可以使用exists 或doesntExist 方法: $exists = DB::table('article')->where('author', '月光光')->exists(); 返回的是true和false。 排序、分组与限定 orderBy 我们要对查询的记录进行顺序asc和倒序desc排序,可以使用orderBy。 $list = DB::table('article')->orderBy('id', 'desc')->get(['id', 'title']); latest / oldest 我们可以使用latest和oldest对日期字段created_at。 $list = DB::table('article')->latest()->first(); inRandomOrder 如果我们要从文章表中随机排序,查询一条随机记录,可以使用inRandomOrder。 $list = DB::table('article')->inRandomOrder()->first(); groupBy / having 如果要对结果集进行分组,可以使用groupBy方法和having方法。 DB::table('article')->groupBy('cate')-having('id', '>', 100)->get(); skip / take 如果要对结果集进行跳过给定的数目结果,可以使用skip和take方法,该方法常用于数据分页。 $list = DB::table('article')->skip(10)->take(5)->get(['id', 'title']); 以上语句等价于: $list = DB::table('article')->offset(10)->limit(5)->get(['id', 'title']); 连接Join 查询构建器还可以用于编写join连接语句,常见的几种连接类型有:join、leftJoin、rightJoin等。 $list = DB::table('mark') ->join('user', 'mark.user_id', '=', 'user.id') ->join('article', 'mark.article_id', '=', 'article.id') ->get(['article.id','article.title','user.username','user.nickname']); 插入数据 查询构建器还提供了insert方法用于插入记录到数据表。insert方法接收数组形式的字段名和字段值进行插入操作 DB::table('article')->insert( ['title' => 'PDO操作数据库', 'author' => '月光光'] ); 支持批量插入: DB::table('article')->insert( ['title' => 'PDO操作数据库', 'author' => '月光光'], ['title' => 'PDO那些事', 'author' => '想吃鱼的猫'], ); 自增ID 使用insertGetId方法来插入记录并返回ID值,如果表中的id为自增长ID,则返回的即为自增ID。 $id = DB::table('article')->insertGetId( ['title' => 'PDO操作数据库', 'author' => '月光光'], ); 更新数据 使用update方法可以更新对应的字段。 DB::table('article')->where('id', 1)->update('author', '月光光'); 增减数字 我们可以使用increment和decrement方法增减某个列值,比如增加点击量。 DB::table('article')->increment('hits'); //点击量+1 DB::table('article')->increment('hits', 5); //点击量+5 DB::table('article')->decrement('hits'); //点击量-1 DB::table('article')->decrement('hits', 5); //点击量-5 删除数据 使用delete方法可以从表中删除记录。 DB::table('article')->where('id', 10)->delete(); 如果我们要清空一张表,将自增长id归0,可以使用truncate方法。 DB::table('article')->truncate(); 打印sql日志 有时我们需要调试sql语句,查看最后一次执行的原生的sql语句,可以使用以下方法: DB::connection()->enableQueryLog(); $list = DB::table('article')->skip(10)->take(5)->get(['id', 'title']); print_r(DB::getQueryLog()); 2019-11-17补充: 事务 想要在一个数据库事务中运行一连串操作,可以使用 DB 门面的transaction 方法,使用transaction方法时不需要手动回滚或提交:如果事务闭包中抛出异常,事务将会自动回滚;如果闭包执行成功,事务将会自动提交: DB::transaction(function () { DB::table('users')->update(['votes' => 1]); DB::table('posts')->delete(); }); 当然我们也可以使用手动控制事务,从而对回滚和提交有更好的控制,可以使用 DB 门面的 beginTransaction方法: DB::beginTransaction(); 可以通过rollBack方法回滚事务: DB::rollBack(); 最后,我们可以通过commit方法提交事务: DB::commit(); 小结 Illuminate database提供的查询构造器可以轻松实现对数据库的操作,能满足我们日常开发需求,当然,在框架中使用的时候更多的使用ORM进行数据操作,后面我们会有文章介绍Illuminate database的ORM功能,彻底摆脱sql语句的束缚。
2023年08月11日
218 阅读
0 评论
0 点赞
2023-08-01
include和require的区别
首先include和require都是引入指定的文件。_once表示只引入一次,已经引入过一次的文件接下来就不会再引入。 例如在【index.php】中 <?php echo '最爱PHP'; ?> 运行下面的程序代码 复制代码 <?php include 'index.php'; require 'index.php'; include_once 'index.php'; require_once 'index.php'; ?> 复制代码 输出的结果会是:最爱PHP最爱PHP,如果将_once引入的语句放在include和require上面,结果将是:最爱PHP最爱PHP最爱PHP最爱PHP。 1、加载失败的处理方式不同 include与require除了在处理引入文件的方式不同外,最大的区别就是: include在引入不存文件时产生一个警告且脚本还会继续执行, require则会导致一个致命性错误且脚本停止执行。 <?php include 'hello.php'; echo 'world'; ?> 如果hello.php不存在,echo ‘world’这句是可以继续执行的。 <?php require 'hello.php'; echo 'world'; ?> 如果hello.php不存在,echo ‘hello’这句是不会执行的,到require时就停止了。 2、include()是有条件包含函数,而 require()则是无条件包含函数 复制代码 <?php if(FALSE){ include 'file.php'; //file.php不会被引入 } if(FALSE){ require 'file.php'; //file.php将会被引入 } ?> 复制代码 3、文件引用方式 include有返回值,而require没有 复制代码 <?php $retVal = include(’somefile.php’); if(!empty($retVal)){ echo "文件包含成功"; }else{ echo "文件包含失败"; } ?> 复制代码 include()执行时需要引用的文件每次都要进行读取和评估, require()执行时需要引用的文件只处理一次(实际上执行时需要引用的文件内容替换了require()语句) 可以看出若有包含这些指令之一的代码和可能执行多次的代码,则使用require()效率比较高, 若每次执行代码时相读取不同的文件或者有通过一组文件叠代的循环,就使用include(), require通常使用方法,这个函数通常放在 PHP 程序的最前面,PHP 程序在执行前,就会先读入 require 所指定引入的文件,使它变成 PHP 程序网页的一部份。常用的函数,亦可以这个方法将它引入网页中。 include通常使用方法,这个函数一般是放在流程控制的处理部分中。PHP 程序网页在读到 include 的文件时,才将它读进来。这种方式,可以把程序执行时的流程简单化 另外关于include和require后面是否加括号的问题, 理论上来说:include和require后面加不加括号对执行结果没有区别,但是加上括号效率较低,所以后面能不加括号就不加括号。
2023年08月01日
127 阅读
0 评论
0 点赞
2023-08-01
php 类静态变量 和 常量消耗内存及时间对比
在对类执行100w次循环后, 常量最快,变量其次,静态变量消耗时间最高 其中: 常量消耗:101.1739毫秒 变量消耗:2039.7689毫秒 静态变量消耗:4084.8911毫秒 class Timer_profiler { public static $begin_timer; public static $finish_timer; public static $timer_html; /** * 计算时间差 * @return type */ public static function getRecordTimer() { return (self::getFinishTimer() - self::getBeginTimer()) * 1000; } /** * 生成输出HTML * @param type $message * @return type */ public static function recordHtml($message = '') { self::setFinishTimer(); return "<p>{$message}耗时: " . self::getRecordTimer() . " 毫秒</p>"; } /** * 设置开始时间 */ public static function setBeginTimer() { self::$begin_timer = self::getTime(); } /** * 设置结束时间 */ public static function setFinishTimer() { self::$finish_timer = self::getTime(); } /** * 获取开始时间 * @return type */ public static function getBeginTimer() { return self::$begin_timer; } /** * 获取结束时间 * @return type */ public static function getFinishTimer() { return self::$finish_timer; } /** * 获取带微妙的时间戳 * @return type */ private static function getTime() { list($usec, $sec) = explode(" ", microtime()); return (number_format($sec+$usec,6,'.', '')); } } function computeTime($otime,$message){ return; $ntime = xdebug_time_index(); $str = ''; $str .= $message . ($ntime*1000-$otime*1000); $str .= "<br>"; echo $str; } function getMemoryUsed(){ $str = '消耗内存<h3 style="color:red"> '; $str .= round(memory_get_usage()/1024/1024, 4).'MB'; $str .= '</h3>'; echo $str; } $count_i = 100*10000; //$count_i = 100000; Timer_profiler::setBeginTimer(); computeTime(xdebug_time_index(),'开始执行'); echo Timer_profiler::recordHtml('开始执行'); getMemoryUsed(); class TestVar { public $A1 = 'aaaaaaaaaaaaaaaaa'; public $A2 = 'aaaaaaaaaaaaaaaaa'; public $A3 = 'aaaaaaaaaaaaaaaaa'; public $A4 = 'aaaaaaaaaaaaaaaaa'; public $A5 = 'aaaaaaaaaaaaaaaaa'; public $A6 = 'aaaaaaaaaaaaaaaaa'; public $A7 = 'aaaaaaaaaaaaaaaaa'; public $A8 = 'aaaaaaaaaaaaaaaaa'; } $TestVar = new TestVar(); for($i=0;$i<=$count_i;$i++){ $t = $TestVar->A1; $t = $TestVar->A2; $t = $TestVar->A3; $t = $TestVar->A4; $t = $TestVar->A5; $t = $TestVar->A6; $t = $TestVar->A7; $t = $TestVar->A8; } getMemoryUsed(); echo Timer_profiler::recordHtml('变量完成'); computeTime(xdebug_time_index(),'变量完成'); Timer_profiler::setBeginTimer(); class TestStaticVar { static $A1 = 'aaaaaaaaaaaaaaaaa'; static $A2 = 'aaaaaaaaaaaaaaaaa'; static $A3 = 'aaaaaaaaaaaaaaaaa'; static $A4 = 'aaaaaaaaaaaaaaaaa'; static $A5 = 'aaaaaaaaaaaaaaaaa'; static $A6 = 'aaaaaaaaaaaaaaaaa'; static $A7 = 'aaaaaaaaaaaaaaaaa'; static $A8 = 'aaaaaaaaaaaaaaaaa'; } for($i=0;$i<=$count_i;$i++){ $t = TestStaticVar::$A1; $t = TestStaticVar::$A2; $t = TestStaticVar::$A3; $t = TestStaticVar::$A4; $t = TestStaticVar::$A5; $t = TestStaticVar::$A6; $t = TestStaticVar::$A7; $t = TestStaticVar::$A8; } getMemoryUsed(); echo Timer_profiler::recordHtml('静态变量完成'); computeTime(xdebug_time_index(),'静态变量完成'); Timer_profiler::setBeginTimer(); class TestConstVar { const A1 = 'aaaaaaaaaaaaaaaaa'; const A2 = 'aaaaaaaaaaaaaaaaa'; const A3 = 'aaaaaaaaaaaaaaaaa'; const A4 = 'aaaaaaaaaaaaaaaaa'; const A5 = 'aaaaaaaaaaaaaaaaa'; const A6 = 'aaaaaaaaaaaaaaaaa'; const A7 = 'aaaaaaaaaaaaaaaaa'; const A8 = 'aaaaaaaaaaaaaaaaa'; } for($i=0;$i<=$count_i;$i++){ $t = TestConstVar::A1; $t = TestConstVar::A2; $t = TestConstVar::A3; $t = TestConstVar::A4; $t = TestConstVar::A5; $t = TestConstVar::A6; $t = TestConstVar::A7; $t = TestConstVar::A8; } getMemoryUsed(); echo Timer_profiler::recordHtml('常量完成'); computeTime(xdebug_time_index(),'常量完成'); //echo Timer_profiler::recordHtml('共执行'); computeTime(xdebug_time_index(),'共执行'); exit;
2023年08月01日
156 阅读
0 评论
0 点赞
2023-08-01
php中的clone()方法
php5中默认通过引用传递对象,假设$obj1和$obj2是两个对象,使用$obj2=$obj1这样的方法复制出来的对象是相关联的,如果在程序中需要复制出一个值和原来相同的对象又不希望复制出来的对象与源对象相关联,那么就需要使用clone关键字,类似于$obj2=clone $obj1; 如果还希望在复制的同时,目标对象的某些属性与源对象的不同,可以在类里面定义一个__clone()方法,在这个方法中完成为目标对象的属性赋新值。 <?php class doclone{ private $id,$name,$address; public function __construct($id=0,$name='',$address=''){ $this->name=$name; $this->id=$id; $this->address=$address; } public function get_id(){ return $this->id; } public function get_name(){ return $this->name; } public function get_address(){ return $this->address; } public function __clone(){ $this->id=$this->id+1; $this->name='Kong'; $this->address='USA'; } } $A = new doclone(10,'A','UK'); echo '克隆之前的对象:'; echo 'id='.$A->get_id(); echo 'name='.$A->get_name(); echo 'address='.$A->get_address(); echo "\n"; $B = clone $A; echo '克隆过后的对象:'; echo 'id='.$A->get_id(); echo 'name='.$A->get_name(); echo 'address='.$A->get_address(); echo "\n"; echo '克隆过后的对象属性:'; echo 'id='.$B->get_id(); echo 'name='.$B->get_name(); echo 'address='.$B->get_address();
2023年08月01日
180 阅读
0 评论
0 点赞
2023-08-01
Expected response code 220 but got code “” with message “”
如题,在使用laravel时,mail按照配置阿里云邮箱 .env配置: MAIL_DRIVER=smtp MAIL_HOST=smtpdm.aliyun.com MAIL_PORT=465 MAIL_USERNAME=ali@mail.qvnidaye.com MAIL_PASSWORD=** MAIL_FROM_ADDRESS=ali@mail.qvnidaye.com MAIL_FROM_NAME=鼎云网络 MAIL_ENCRYPTION=SSL 发送邮件报错: Expected response code 220 but got code "", with message """ 解决办法: 找到config/mail.php 更改:'encryption' => env('MAIL_ENCRYPTION', 'tls'), 再次发送测试邮件,发送成功。 这个一般是由于encyption配置导致的 Secure Sockets Layer (SSL) Transport Layer Security (TLS) 如果使用ssl端口则encyption配置项必须为465/994如果使用非ssl则应该使用25
2023年08月01日
169 阅读
0 评论
0 点赞
2023-08-01
thinkphp5报错 Call to a member function toArray() on array
thinkphp5内报错Call to a member function toArray() on array 使用场景 使用模型查询后,想获取不包含对象内容的数组结构的结果。 使用方式 $gardenAuth = new GardenAuth(); $res = $gardenAuth->where(['id'=>$id])->select()->toArray(); 结果 Call to a member function toArray() on array 原因 数据库(database.php)里设置的返回数据结果为数组类型 'resultset_type' => 'array' 解决方式 方法一: 全局:修改Config.php 'resultset_type' => 'collection' 方法二: 局部:在模型中加入 protected $resultSetType = 'collection'; 方法三: 推荐,thinkphp自带的一个方法 if (!function_exists('collection')) { /** * 数组转换为数据集对象 * @param array $resultSet 数据集数组 * @return \think\model\Collection|\think\Collection */ function collection($resultSet) { $item = current($resultSet); if ($item instanceof Model) { return \think\model\Collection::make($resultSet); } else { return \think\Collection::make($resultSet); } } } 调用方法: $res = collection($res)->toArray();
2023年08月01日
167 阅读
0 评论
0 点赞
2023-08-01
PHP Fatal error: Class 'Memcache' not found in
安装了memcached和php的memcache的扩展,PHPinfo()也支持了memcache, 但是放在项目中就提示Class"Memcache" not found, 最后发现php7.3装的是memcached,多节点的 然后更换了php7.1重新配置了memcache之后正常运行
2023年08月01日
174 阅读
0 评论
0 点赞
2023-04-18
PHP在数组中追加列
/* model实例化*/ $list = self::where($where) ->with(['user''node']) ->alias('log') ->field('log.idlog.user_idlog.rate(log.u + log.d) as origin_trafficlog.trafficlog.log_timelog.node_id') ->order($order) ->paginate([ 'query' => Request::get() 'list_rows' => $pageSize ]); $ids = $list->toarray(); //重新的整理数组 $ids = array_values(array_column($ids["data"]'daili_code')); //获取数组中指定列,并去除键名 $ids = implode("" $ids); //格式化数组 /* 空值处理 */ if(!$ids){ $ids=[]; array_push($ids'0'); } $daili = Db::name('app_daili')->where('daili_code''in'$ids)->field('name')->select(); //输出
2023年04月18日
188 阅读
0 评论
0 点赞
2023-04-18
php-redis Deprecated: Function Redis::setTimeout() is deprecated in
Deprecated: Function Redis::setTimeout() is deprecated in Deprecated 意思是不推荐,但仍然可以使用,是级别最低的报错 这是php7.0版本以后redis的错误提示 关闭此类报错只需到php.ini 修改参数 error_reporting = E_ALL &~E_NOTICE &~E_DEPRECATED 然后重启php服务就行了 但是Deprecated类报错会影响性能,最好是将不推荐的函数替换掉 https://segmentfault.com/a/1190000002880738 php-redis常用函数操作类 https://blog.csdn.net/haige025/article/details/97794504
2023年04月18日
218 阅读
0 评论
0 点赞
1
2