이 글에서는 매우 실용적인 13가지 PHP 함수를 소개합니다. 도움이 필요한 친구들이 모두 참고할 수 있기를 바랍니다.
1. PHP 암호화 및 복호화
PHP 암호화 및 복호화 기능을 사용하면 유용한 문자열을 암호화하여 저장할 수 있습니다. 이 함수는 문자열을 가역적으로 해독함으로써 base64 및 MD5 암호화 및 해독을 사용합니다.
function encryptDecrypt($key, $string, $decrypt){ if($decrypt){ $decrypted = rtrim(mcrypt_decrypt(MCRYPT_RIJNDAEL_256, md5($key), base64_decode($string), MCRYPT_MODE_CBC, md5(md5($key))), "12"); return $decrypted; }else{ $encrypted = base64_encode(mcrypt_encrypt(MCRYPT_RIJNDAEL_256, md5($key), $string, MCRYPT_MODE_CBC, md5(md5($key)))); return $encrypted; } }
사용 방법은 다음과 같습니다.
//以下是将字符串“Helloweba欢迎您”分别加密和解密 //加密: echo encryptDecrypt('password', 'jb51欢迎您',0); //解密: echo encryptDecrypt('password', 'z0JAx4qMwcF+db5TNbp/xwdUM84snRsXvvpXuaCa4Bk=',1);
2. PHP는 임의의 문자열을 생성합니다.
임의의 이름, 임시 비밀번호 등의 문자열을 입력할 때 다음 기능을 사용할 수 있습니다.
function generateRandomString($length = 10) { $characters = '0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ'; $randomString = ''; for ($i = 0; $i < $length; $i++) { $randomString .= $characters[rand(0, strlen($characters) - 1)]; } return $randomString; }
사용 방법은 다음과 같습니다.
echo generateRandomString(20);
3. 파일 확장자(접미사)
다음 함수를 사용하면 파일 확장자나 접미사를 빠르게 얻을 수 있습니다.
function getExtension($filename){ $myext = substr($filename, strrpos($filename, '.')); return str_replace('.','',$myext); }
사용 방법은 다음과 같습니다.
$filename = '我的文档.doc'; echo getExtension($filename);
PHP가 파일 크기와 형식을 가져옵니다
아래 사용된 함수는 파일 크기를 가져와 읽기 쉬운 KB, MB 및 기타 형식으로 변환할 수 있습니다.
function formatSize($size) { $sizes = array(" Bytes", " KB", " MB", " GB", " TB", " PB", " EB", " ZB", " YB"); if ($size == 0) { return('n/a'); } else { return (round($size/pow(1024, ($i = floor(log($size, 1024)))), 2) . $sizes[$i]); } }
은 다음과 같이 사용됩니다.
$thefile = filesize('test_file.mp3'); echo formatSize($thefile);
5. PHP는 태그 문자를 대체합니다.
때때로 문자열과 템플릿 태그를 지정된 내용으로 바꾸려면 다음 함수를 사용할 수 있습니다.
function stringParser($string,$replacer){ $result = str_replace(array_keys($replacer), array_values($replacer),$string); return $result; }
사용 방법은 다음과 같습니다.
$string = 'The {b}anchor text{/b} is the {b}actual word{/b} or words used {br}to describe the link {br}itself'; $replace_array = array('{b}' => '<b>','{/b}' => '</b>','{br}' => '<br />'); echo stringParser($string,$replace_array);
6. PHP 목록 디렉토리 파일 이름은
디렉토리의 모든 파일을 나열하려면 다음 코드를 사용하십시오.
function listDirFiles($DirPath){ if($dir = opendir($DirPath)){ while(($file = readdir($dir))!== false){ if(!is_dir($DirPath.$file)) { echo "filename: $file<br />"; } } } }
사용법은 다음과 같습니다.
listDirFiles('home/some_folder/');
7. PHP는 현재 페이지 URL을 가져옵니다.
다음 함수는 http 또는 https인지 여부에 관계없이 현재 페이지의 URL을 가져올 수 있습니다. .
function curPageURL() { $pageURL = 'http'; if (!empty($_SERVER['HTTPS'])) {$pageURL .= "s";} $pageURL .= "://"; if ($_SERVER["SERVER_PORT"] != "80") { $pageURL .= $_SERVER["SERVER_NAME"].":".$_SERVER["SERVER_PORT"].$_SERVER["REQUEST_URI"]; } else { $pageURL .= $_SERVER["SERVER_NAME"].$_SERVER["REQUEST_URI"]; } return $pageURL; }
사용 방법은 다음과 같습니다.
echo curPageURL();
8. PHP 강제 다운로드
가끔 브라우저가 PDF 파일과 같은 파일을 직접 열었지만 파일을 직접 다운로드하려는 경우 다음 함수를 사용하여 파일을 강제로 다운로드할 수 있습니다. 기능.
function download($filename){ if ((isset($filename))&&(file_exists($filename))){ header("Content-length: ".filesize($filename)); header('Content-Type: application/octet-stream'); header('Content-Disposition: attachment; filename="' . $filename . '"'); readfile("$filename"); } else { echo "Looks like file does not exist!"; } }
사용 방법은 다음과 같습니다.
download('/down/test_45f73e852.zip');
9. PHP가 문자열 길이를 가로챕니다.
예를 들어 문자열(한자 포함)의 길이를 가로채야 하는 상황이 발생하는 경우 제목은 몇 글자 이상 표시할 수 없으며 초과 길이는...로 표시됩니다. 다음 함수는 다음과 같습니다. 귀하의 요구를 충족시킬 수 있습니다.
/* Utf-8、gb2312都支持的汉字截取函数 cut_str(字符串, 截取长度, 开始长度, 编码); 编码默认为 utf-8 开始长度默认为 0 */ function cutStr($string, $sublen, $start = 0, $code = 'UTF-8'){ if($code == 'UTF-8'){ $pa = "/[\x01-\x7f]|[\xc2-\xdf][\x80-\xbf]|\xe0[\xa0-\xbf][\x80-\xbf]|[\xe1-\xef][\x80-\xbf][\x80-\xbf]|\xf0[\x90-\xbf][\x80-\xbf][\x80-\xbf]|[\xf1-\xf7][\x80-\xbf][\x80-\xbf][\x80-\xbf]/"; preg_match_all($pa, $string, $t_string); if(count($t_string[0]) - $start > $sublen) return join('', array_slice($t_string[0], $start, $sublen))."..."; return join('', array_slice($t_string[0], $start, $sublen)); }else{ $start = $start*2; $sublen = $sublen*2; $strlen = strlen($string); $tmpstr = ''; for($i=0; $i<$strlen; $i++){ if($i>=$start && $i<($start+$sublen)){ if(ord(substr($string, $i, 1))>129){ $tmpstr.= substr($string, $i, 2); }else{ $tmpstr.= substr($string, $i, 1); } } if(ord(substr($string, $i, 1))>129) $i++; } if(strlen($tmpstr)<$strlen ) $tmpstr.= "..."; return $tmpstr; } }
사용 방법은 다음과 같습니다.
$str = "jQuery插件实现的加载图片和页面效果"; echo cutStr($str,16);
PHP는 클라이언트의 실제 IP를 가져옵니다
우리는 종종 사용자의 IP를 데이터베이스에 기록하기 위해 다음 코드를 사용하여 클라이언트의 실제 IP를 얻을 수 있습니다.
//获取用户真实IP function getIp() { if (getenv("HTTP_CLIENT_IP") && strcasecmp(getenv("HTTP_CLIENT_IP"), "unknown")) $ip = getenv("HTTP_CLIENT_IP"); else if (getenv("HTTP_X_FORWARDED_FOR") && strcasecmp(getenv("HTTP_X_FORWARDED_FOR"), "unknown")) $ip = getenv("HTTP_X_FORWARDED_FOR"); else if (getenv("REMOTE_ADDR") && strcasecmp(getenv("REMOTE_ADDR"), "unknown")) $ip = getenv("REMOTE_ADDR"); else if (isset ($_SERVER['REMOTE_ADDR']) && $_SERVER['REMOTE_ADDR'] && strcasecmp($_SERVER['REMOTE_ADDR'], "unknown")) $ip = $_SERVER['REMOTE_ADDR']; else $ip = "unknown"; return ($ip); }
사용 방법은 다음과 같습니다.
echo getIp();
11 PHP는 SQL 주입을 방지합니다
데이터베이스 쿼리 시 보안상의 이유로 일부 불법 문자를 필터링하여 악의적인 SQL 주입을 방지합니다. 함수를 살펴보세요:
function injCheck($sql_str) { $check = preg_match('/select|insert|update|delete|\'|\/\*|\*|\.\.\/|\.\/|union|into|load_file|outfile/', $sql_str); if ($check) { echo '非法字符!!'; exit; } else { return $sql_str; } }
사용 방법은 다음과 같습니다:
echo injCheck('1 or 1=1');
12. PHP 페이지 프롬프트 및 점프
양식 작업을 수행할 때 친근감을 위해 프롬프트가 필요한 경우가 있습니다. 사용자가 결과를 작업하고 해당 페이지로 이동하는 기능은 다음과 같습니다.
function message($msgTitle,$message,$jumpUrl){ $str = '<!DOCTYPE HTML>'; $str .= '<html>'; $str .= '<head>'; $str .= '<meta charset="utf-8">'; $str .= '<title>页面提示</title>'; $str .= '<style type="text/css">'; $str .= '*{margin:0; padding:0}a{color:#369; text-decoration:none;}a:hover{text-decoration:underline}body{height:100%; font:12px/18px Tahoma, Arial, sans-serif; color:#424242; background:#fff}.message{width:450px; height:120px; margin:16% auto; border:1px solid #99b1c4; background:#ecf7fb}.message h3{height:28px; line-height:28px; background:#2c91c6; text-align:center; color:#fff; font-size:14px}.msg_txt{padding:10px; margin-top:8px}.msg_txt h4{line-height:26px; font-size:14px}.msg_txt h4.red{color:#f30}.msg_txt p{line-height:22px}'; $str .= '</style>'; $str .= '</head>'; $str .= '<body>'; $str .= '<div>'; $str .= '<h3>'.$msgTitle.'</h3>'; $str .= '<div>'; $str .= '<h4>'.$message.'</h4>'; $str .= '<p>系统将在 <span style="color:blue;font-weight:bold">3</span> 秒后自动跳转,如果不想等待,直接点击 <a href="{$jumpUrl}">这里</a> 跳转</p>'; $str .= "<script>setTimeout('location.replace(\'".$jumpUrl."\')',2000)</script>"; $str .= '</div>'; $str .= '</div>'; $str .= '</body>'; $str .= '</html>'; echo $str; }
사용 방법
message('操作提示','操作成功!','http://www.php.cn');
13. PHP 계산 시간
시간을 처리할 때 현재 시간부터 계산해야 합니다. 예를 들어 클라이언트의 실행 시간을 계산하는 것은 일반적으로 hh:mm:ss로 표시됩니다.
function changeTimeType($seconds) { if ($seconds > 3600) { $hours = intval($seconds / 3600); $minutes = $seconds % 3600; $time = $hours . ":" . gmstrftime('%M:%S', $minutes); } else { $time = gmstrftime('%H:%M:%S', $seconds); } return $time; }
사용 방법은 다음과 같습니다.
$seconds = 3712; echo changeTimeType($seconds);
추천 학습: "PHP 동영상 튜토리얼"