PHP笔记
Sonder
2019-12-26
2848字
7分钟
浏览 (3.8k)
php获取当前在线人数的方法
<?php
header('Content-type: text/html; charset=utf-8');
//author:www.phpernote.com
$online_log='count.txt';//保存在线人数数据的文件,
$timeout=45;//45秒内没有动作,则被认识是掉线
$entries=file($online_log);//将文件作为一个数组返回,数组中的每个单元都是文件中相应的一行,包括换行符在内
$temp=array();
for($i=0;$i<count($entries);$i++){
$entry=explode(',',trim($entries[$i]));
if(($entry[0]!=getenv('REMOTE_ADDR'))&&($entry[1]>time())){
array_push($temp,$entry[0].','.$entry[1].'n');//取出其他浏览者的信息,并去掉超时者,保存进$temp
}
}
array_push($temp,getenv('REMOTE_ADDR').','.(time()+($timeout))."\n");//更新浏览者的时间
$users_online=count($temp);//计算在线人数
$entries=implode('',$temp);
//写入文件
$fp=fopen($online_log,'w');
flock($fp,LOCK_EX);//注意 flock() 不能在NFS以及其他的一些网络文件系统中正常工作
fputs($fp,$entries);
flock($fp,LOCK_UN);
fclose($fp);
echo '当前有'.$users_online.'人在线';
php获取当前内存占用的方法
$_LANG['memory_info']='占用内存 %0.3f MB';
/* 内存占用情况 */
if($_LANG['memory_info']&&function_exists('memory_get_usage')){
echo sprintf($_LANG['memory_info'], memory_get_usage()/1048576);
}
php过滤垃圾留言(评论)信息功能
function isValidData($s){
if(preg_match("/([\x{4e00}-\x{9fa5}]|.+)\\1{4,}/u",$s)){
return false;//同字重复5次以上
}elseif(preg_match("/^[0-9a-zA-Z]*$/",$s)){
return false;//全数字,全英文或全数字英文混合的
}elseif(strlen($s)<10){
return false;//输入字符长度过短
}
return true;
}
写一个函数将字符串’make_by_id’装换成’MakeById’
知识准备:
ucfirst() 把字符串首字符转换成大写
explode() 把字符串分割成数组
implode() 把数组合并成字符串
<?php
function convertStr($str)
{
$arr = explode('_', $str);
foreach ($arr as $k => $v) {
$arr[$k] = ucfirst($v);
}
return implode('', $arr);
}
$str = 'make_by_id';
echo convertStr($str);
thinkphp打印最后一条sql语句
$form=db('user');
$result=$form->where(array('username'=>'www.phpernote.com'))->select();
//下面就是打印这条sql语句的方法
$form->getLastSql();
求两个日期的差数,例如2007-2-5 ~ 2007-3-6 的日期差数
(strtotime(‘2007-3-6’)-strtotime(‘2007-2-5’))/3600*24
实现中文字串截取无乱码的方法
mb_substr()
写一段上传文件的代码
upload.html
<form enctype="multipart/form-data" method="POST" action="upload.php">
Send this file: <input name="name" type="file" />
<input type="submit" value="Send File" />
</form>
upload.php
$uploads_dir = '/uploads';
foreach ($_FILES["error"] as $key => $error) {
if ($error == UPLOAD_ERR_OK) {
$tmp_name = $_FILES["tmp_name"][$key];
$name = $_FILES["name"][$key];
move_uploaded_file($tmp_name, "$uploads_dir/$name");
}
}
PHP多维数组去掉重复值的方法
$data = array_merge_recursive($sun); //合并重复数据
$max = mult_unique($data); //返回数据
function mult_unique($array){
$return = array();
foreach($array as $key=>$v){
if(!in_array($v, $return)){
$return[$key]=$v;
}
}
return $return;
}