search

php 的常用函数
  1. /**
  2. * 获取客户端IP
  3. * @return [string] [description]
  4. */
  5. function getClientIp() {
  6. $ip = NULL;
  7. if (isset($_SERVER['HTTP_X_FORWARDED_FOR'])) {
  8. $arr = explode(',', $_SERVER['HTTP_X_FORWARDED_FOR']);
  9. $pos = array_search('unknown',$arr);
  10. if(false !== $pos) unset($arr[$pos]);
  11. $ip = trim($arr[0]);
  12. }elseif (isset($_SERVER['HTTP_CLIENT_IP'])) {
  13. $ip = $_SERVER['HTTP_CLIENT_IP'];
  14. }elseif (isset($_SERVER['REMOTE_ADDR'])) {
  15. $ip = $_SERVER['REMOTE_ADDR'];
  16. }
  17. // IP地址合法验证
  18. $ip = (false !== ip2long($ip)) ? $ip : '0.0.0.0';
  19. return $ip;
  20. }
  21. /**
  22. * 获取在线IP
  23. * @return String
  24. */
  25. function getOnlineIp($format=0) {
  26. global $S_GLOBAL;
  27. if(empty($S_GLOBAL['onlineip'])) {
  28. if(getenv('HTTP_CLIENT_IP') && strcasecmp(getenv('HTTP_CLIENT_IP'), 'unknown')) {
  29. $onlineip = getenv('HTTP_CLIENT_IP');
  30. } elseif(getenv('HTTP_X_FORWARDED_FOR') && strcasecmp(getenv('HTTP_X_FORWARDED_FOR'), 'unknown')) {
  31. $onlineip = getenv('HTTP_X_FORWARDED_FOR');
  32. } elseif(getenv('REMOTE_ADDR') && strcasecmp(getenv('REMOTE_ADDR'), 'unknown')) {
  33. $onlineip = getenv('REMOTE_ADDR');
  34. } elseif(isset($_SERVER['REMOTE_ADDR']) && $_SERVER['REMOTE_ADDR'] && strcasecmp($_SERVER['REMOTE_ADDR'], 'unknown')) {
  35. $onlineip = $_SERVER['REMOTE_ADDR'];
  36. }
  37. preg_match("/[\d\.]{7,15}/", $onlineip, $onlineipmatches);
  38. $S_GLOBAL['onlineip'] = $onlineipmatches[0] ? $onlineipmatches[0] : 'unknown';
  39. }
  40. if($format) {
  41. $ips = explode('.', $S_GLOBAL['onlineip']);
  42. for($i=0;$i $ips[$i] = intval($ips[$i]);
  43. }
  44. return sprintf('%03d%03d%03d', $ips[0], $ips[1], $ips[2]);
  45. } else {
  46. return $S_GLOBAL['onlineip'];
  47. }
  48. }
  49. /**
  50. * 获取url
  51. * @return [type] [description]
  52. */
  53. function getUrl(){
  54. $pageURL = 'http';
  55. if (isset($_SERVER["HTTPS"]) && $_SERVER["HTTPS"] == "on") {
  56. $pageURL .= "s";
  57. }
  58. $pageURL .= "://";
  59. if ($_SERVER["SERVER_PORT"] != "80") {
  60. $pageURL .= $_SERVER["HTTP_HOST"] . ":" . $_SERVER["SERVER_PORT"] . $_SERVER["REQUEST_URI"];
  61. } else {
  62. $pageURL .= $_SERVER["HTTP_HOST"] . $_SERVER["REQUEST_URI"];
  63. }
  64. return $pageURL;
  65. }
  66. /**
  67. * 获取当前站点的访问路径根目录
  68. * @return [type] [description]
  69. */
  70. function getSiteUrl() {
  71. $uri = $_SERVER['REQUEST_URI']?$_SERVER['REQUEST_URI']:($_SERVER['PHP_SELF']?$_SERVER['PHP_SELF']:$_SERVER['SCRIPT_NAME']);
  72. return 'http://'.$_SERVER['HTTP_HOST'].substr($uri, 0, strrpos($uri, '/')+1);
  73. }
  74. /**
  75. * 字符串截取,支持中文和其他编码
  76. * @param [string] $str [字符串]
  77. * @param integer $start [起始位置]
  78. * @param integer $length [截取长度]
  79. * @param string $charset [字符串编码]
  80. * @param boolean $suffix [是否有省略号]
  81. * @return [type] [description]
  82. */
  83. function msubstr($str, $start=0, $length=15, $charset="utf-8", $suffix=true) {
  84. if(function_exists("mb_substr")) {
  85. return mb_substr($str, $start, $length, $charset);
  86. } elseif(function_exists('iconv_substr')) {
  87. return iconv_substr($str,$start,$length,$charset);
  88. }
  89. $re['utf-8'] = "/[\x01-\x7f]|[\xc2-\xdf][\x80-\xbf]|[\xe0-\xef][\x80-\xbf]{2}|[\xf0-\xff][\x80-\xbf]{3}/";
  90. $re['gb2312'] = "/[\x01-\x7f]|[\xb0-\xf7][\xa0-\xfe]/";
  91. $re['gbk'] = "/[\x01-\x7f]|[\x81-\xfe][\x40-\xfe]/";
  92. $re['big5'] = "/[\x01-\x7f]|[\x81-\xfe]([\x40-\x7e]|\xa1-\xfe])/";
  93. preg_match_all($re[$charset], $str, $match);
  94. $slice = join("",array_slice($match[0], $start, $length));
  95. if($suffix) {
  96. return $slice."…";
  97. }
  98. return $slice;
  99. }
  100. /**
  101. * php 实现js escape 函数
  102. * @param [type] $string [description]
  103. * @param string $encoding [description]
  104. * @return [type] [description]
  105. */
  106. function escape($string, $encoding = 'UTF-8'){
  107. $return = null;
  108. for ($x = 0; $x {
  109. $str = mb_substr($string, $x, 1, $encoding);
  110. if (strlen($str) > 1) { // 多字节字符
  111. $return .= "%u" . strtoupper(bin2hex(mb_convert_encoding($str, 'UCS-2', $encoding)));
  112. } else {
  113. $return .= "%" . strtoupper(bin2hex($str));
  114. }
  115. }
  116. return $return;
  117. }
  118. /**
  119. * php 实现 js unescape函数
  120. * @param [type] $str [description]
  121. * @return [type] [description]
  122. */
  123. function unescape($str) {
  124. $str = rawurldecode($str);
  125. preg_match_all("/(?:%u.{4})|.{4};|\d+;|.+/U",$str,$r);
  126. $ar = $r[0];
  127. foreach($ar as $k=>$v) {
  128. if(substr($v,0,2) == "%u"){
  129. $ar[$k] = iconv("UCS-2","utf-8//IGNORE",pack("H4",substr($v,-4)));
  130. } elseif(substr($v,0,3) == "") {
  131. $ar[$k] = iconv("UCS-2","utf-8",pack("H4",substr($v,3,-1)));
  132. } elseif(substr($v,0,2) == "") {
  133. echo substr($v,2,-1)."";
  134. $ar[$k] = iconv("UCS-2","utf-8",pack("n",substr($v,2,-1)));
  135. }
  136. }
  137. return join("",$ar);
  138. }
  139. /**
  140. * 数字转人名币
  141. * @param [type] $num [description]
  142. * @return [type] [description]
  143. */
  144. function num2rmb ($num) {
  145. $c1 = "零壹贰叁肆伍陆柒捌玖";
  146. $c2 = "分角元拾佰仟万拾佰仟亿";
  147. $num = round($num, 2);
  148. $num = $num * 100;
  149. if (strlen($num) > 10) {
  150. return "oh,sorry,the number is too long!";
  151. }
  152. $i = 0;
  153. $c = "";
  154. while (1) {
  155. if ($i == 0) {
  156. $n = substr($num, strlen($num)-1, 1);
  157. } else {
  158. $n = $num % 10;
  159. }
  160. $p1 = substr($c1, 3 * $n, 3);
  161. $p2 = substr($c2, 3 * $i, 3);
  162. if ($n != '0' || ($n == '0' && ($p2 == '亿' || $p2 == '万' || $p2 == '元'))) {
  163. $c = $p1 . $p2 . $c;
  164. } else {
  165. $c = $p1 . $c;
  166. }
  167. $i = $i + 1;
  168. $num = $num / 10;
  169. $num = (int)$num;
  170. if ($num == 0) {
  171. break;
  172. }
  173. }
  174. $j = 0;
  175. $slen = strlen($c);
  176. while ($j $m = substr($c, $j, 6);
  177. if ($m == '零元' || $m == '零万' || $m == '零亿' || $m == '零零') {
  178. $left = substr($c, 0, $j);
  179. $right = substr($c, $j + 3);
  180. $c = $left . $right;
  181. $j = $j-3;
  182. $slen = $slen-3;
  183. }
  184. $j = $j + 3;
  185. }
  186. if (substr($c, strlen($c)-3, 3) == '零') {
  187. $c = substr($c, 0, strlen($c)-3);
  188. } // if there is a '0' on the end , chop it out
  189. return $c . "整";
  190. }
  191. /**
  192. * 特殊的字符
  193. * @param [type] $str [description]
  194. * @return [type] [description]
  195. */
  196. function makeSemiangle($str) {
  197. $arr = array(
  198. '0' => '0', '1' => '1', '2' => '2', '3' => '3', '4' => '4',
  199. '5' => '5', '6' => '6', '7' => '7', '8' => '8', '9' => '9',
  200. 'A' => 'A', 'B' => 'B', 'C' => 'C', 'D' => 'D', 'E' => 'E',
  201. 'F' => 'F', 'G' => 'G', 'H' => 'H', 'I' => 'I', 'J' => 'J',
  202. 'K' => 'K', 'L' => 'L', 'M' => 'M', 'N' => 'N', 'O' => 'O',
  203. 'P' => 'P', 'Q' => 'Q', 'R' => 'R', 'S' => 'S', 'T' => 'T',
  204. 'U' => 'U', 'V' => 'V', 'W' => 'W', 'X' => 'X', 'Y' => 'Y',
  205. 'Z' => 'Z', 'a' => 'a', 'b' => 'b', 'c' => 'c', 'd' => 'd',
  206. 'e' => 'e', 'f' => 'f', 'g' => 'g', 'h' => 'h', 'i' => 'i',
  207. 'j' => 'j', 'k' => 'k', 'l' => 'l', 'm' => 'm', 'n' => 'n',
  208. 'o' => 'o', 'p' => 'p', 'q' => 'q', 'r' => 'r', 's' => 's',
  209. 't' => 't', 'u' => 'u', 'v' => 'v', 'w' => 'w', 'x' => 'x',
  210. 'y' => 'y', 'z' => 'z',
  211. '(' => '(', ')' => ')', '〔' => '[', '〕' => ']', '【' => '[',
  212. '】' => ']', '〖' => '[', '〗' => ']', '{' => '{', '}' => '}', '《' => ' '》' => '>',
  213. '%' => '%', '+' => '+', '—' => '-', '-' => '-', '~' => '-',
  214. ':' => ':', '。' => '.', '、' => ',', ',' => '.', '、' => '.',
  215. ';' => ';', '?' => '?', '!' => '!', '…' => '-', '‖' => '|',
  216. '”' => '"', '“' => '"', '’' => '`', '‘' => '`', '|' => '|', '〃' => '"',
  217. ' ' => ' ','.' => '.');
  218. return strtr($str, $arr);
  219. }
  220. /**
  221. * 下载
  222. * @param [type] $filename [description]
  223. * @param string $dir [description]
  224. * @return [type] [description]
  225. */
  226. function downloads($filename,$dir='./'){
  227. $filepath = $dir.$filename;
  228. if (!file_exists($filepath)){
  229. header("Content-type: text/html; charset=utf-8");
  230. echo "File not found!";
  231. exit;
  232. } else {
  233. $file = fopen($filepath,"r");
  234. Header("Content-type: application/octet-stream");
  235. Header("Accept-Ranges: bytes");
  236. Header("Accept-Length: ".filesize($filepath));
  237. Header("Content-Disposition: attachment; filename=".$filename);
  238. echo fread($file, filesize($filepath));
  239. fclose($file);
  240. }
  241. }
  242. /**
  243. * 创建一个目录树
  244. * @param [type] $dir [description]
  245. * @param integer $mode [description]
  246. * @return [type] [description]
  247. */
  248. function mkdirs($dir, $mode = 0777) {
  249. if (!is_dir($dir)) {
  250. mkdirs(dirname($dir), $mode);
  251. return mkdir($dir, $mode);
  252. }
  253. return true;
  254. }
复制代码
  1. /**
  2. * 获取客户端IP
  3. * @return [string] [description]
  4. */
  5. function getClientIp() {
  6. $ip = NULL;
  7. if (isset($_SERVER['HTTP_X_FORWARDED_FOR'])) {
  8. $arr = explode(',', $_SERVER['HTTP_X_FORWARDED_FOR']);
  9. $pos = array_search('unknown',$arr);
  10. if(false !== $pos) unset($arr[$pos]);
  11. $ip = trim($arr[0]);
  12. }elseif (isset($_SERVER['HTTP_CLIENT_IP'])) {
  13. $ip = $_SERVER['HTTP_CLIENT_IP'];
  14. }elseif (isset($_SERVER['REMOTE_ADDR'])) {
  15. $ip = $_SERVER['REMOTE_ADDR'];
  16. }
  17. // IP地址合法验证
  18. $ip = (false !== ip2long($ip)) ? $ip : '0.0.0.0';
  19. return $ip;
  20. }
  21. /**
  22. * 获取在线IP
  23. * @return String
  24. */
  25. function getOnlineIp($format=0) {
  26. global $S_GLOBAL;
  27. if(empty($S_GLOBAL['onlineip'])) {
  28. if(getenv('HTTP_CLIENT_IP') && strcasecmp(getenv('HTTP_CLIENT_IP'), 'unknown')) {
  29. $onlineip = getenv('HTTP_CLIENT_IP');
  30. } elseif(getenv('HTTP_X_FORWARDED_FOR') && strcasecmp(getenv('HTTP_X_FORWARDED_FOR'), 'unknown')) {
  31. $onlineip = getenv('HTTP_X_FORWARDED_FOR');
  32. } elseif(getenv('REMOTE_ADDR') && strcasecmp(getenv('REMOTE_ADDR'), 'unknown')) {
  33. $onlineip = getenv('REMOTE_ADDR');
  34. } elseif(isset($_SERVER['REMOTE_ADDR']) && $_SERVER['REMOTE_ADDR'] && strcasecmp($_SERVER['REMOTE_ADDR'], 'unknown')) {
  35. $onlineip = $_SERVER['REMOTE_ADDR'];
  36. }
  37. preg_match("/[\d\.]{7,15}/", $onlineip, $onlineipmatches);
  38. $S_GLOBAL['onlineip'] = $onlineipmatches[0] ? $onlineipmatches[0] : 'unknown';
  39. }
  40. if($format) {
  41. $ips = explode('.', $S_GLOBAL['onlineip']);
  42. for($i=0;$i $ips[$i] = intval($ips[$i]);
  43. }
  44. return sprintf('%03d%03d%03d', $ips[0], $ips[1], $ips[2]);
  45. } else {
  46. return $S_GLOBAL['onlineip'];
  47. }
  48. }
  49. /**
  50. * 获取url
  51. * @return [type] [description]
  52. */
  53. function getUrl(){
  54. $pageURL = 'http';
  55. if (isset($_SERVER["HTTPS"]) && $_SERVER["HTTPS"] == "on") {
  56. $pageURL .= "s";
  57. }
  58. $pageURL .= "://";
  59. if ($_SERVER["SERVER_PORT"] != "80") {
  60. $pageURL .= $_SERVER["HTTP_HOST"] . ":" . $_SERVER["SERVER_PORT"] . $_SERVER["REQUEST_URI"];
  61. } else {
  62. $pageURL .= $_SERVER["HTTP_HOST"] . $_SERVER["REQUEST_URI"];
  63. }
  64. return $pageURL;
  65. }
  66. /**
  67. * 获取当前站点的访问路径根目录
  68. * @return [type] [description]
  69. */
  70. function getSiteUrl() {
  71. $uri = $_SERVER['REQUEST_URI']?$_SERVER['REQUEST_URI']:($_SERVER['PHP_SELF']?$_SERVER['PHP_SELF']:$_SERVER['SCRIPT_NAME']);
  72. return 'http://'.$_SERVER['HTTP_HOST'].substr($uri, 0, strrpos($uri, '/')+1);
  73. }
  74. /**
  75. * 字符串截取,支持中文和其他编码
  76. * @param [string] $str [字符串]
  77. * @param integer $start [起始位置]
  78. * @param integer $length [截取长度]
  79. * @param string $charset [字符串编码]
  80. * @param boolean $suffix [是否有省略号]
  81. * @return [type] [description]
  82. */
  83. function msubstr($str, $start=0, $length=15, $charset="utf-8", $suffix=true) {
  84. if(function_exists("mb_substr")) {
  85. return mb_substr($str, $start, $length, $charset);
  86. } elseif(function_exists('iconv_substr')) {
  87. return iconv_substr($str,$start,$length,$charset);
  88. }
  89. $re['utf-8'] = "/[\x01-\x7f]|[\xc2-\xdf][\x80-\xbf]|[\xe0-\xef][\x80-\xbf]{2}|[\xf0-\xff][\x80-\xbf]{3}/";
  90. $re['gb2312'] = "/[\x01-\x7f]|[\xb0-\xf7][\xa0-\xfe]/";
  91. $re['gbk'] = "/[\x01-\x7f]|[\x81-\xfe][\x40-\xfe]/";
  92. $re['big5'] = "/[\x01-\x7f]|[\x81-\xfe]([\x40-\x7e]|\xa1-\xfe])/";
  93. preg_match_all($re[$charset], $str, $match);
  94. $slice = join("",array_slice($match[0], $start, $length));
  95. if($suffix) {
  96. return $slice."…";
  97. }
  98. return $slice;
  99. }
  100. /**
  101. * php 实现js escape 函数
  102. * @param [type] $string [description]
  103. * @param string $encoding [description]
  104. * @return [type] [description]
  105. */
  106. function escape($string, $encoding = 'UTF-8'){
  107. $return = null;
  108. for ($x = 0; $x {
  109. $str = mb_substr($string, $x, 1, $encoding);
  110. if (strlen($str) > 1) { // 多字节字符
  111. $return .= "%u" . strtoupper(bin2hex(mb_convert_encoding($str, 'UCS-2', $encoding)));
  112. } else {
  113. $return .= "%" . strtoupper(bin2hex($str));
  114. }
  115. }
  116. return $return;
  117. }
  118. /**
  119. * php 实现 js unescape函数
  120. * @param [type] $str [description]
  121. * @return [type] [description]
  122. */
  123. function unescape($str) {
  124. $str = rawurldecode($str);
  125. preg_match_all("/(?:%u.{4})|.{4};|\d+;|.+/U",$str,$r);
  126. $ar = $r[0];
  127. foreach($ar as $k=>$v) {
  128. if(substr($v,0,2) == "%u"){
  129. $ar[$k] = iconv("UCS-2","utf-8//IGNORE",pack("H4",substr($v,-4)));
  130. } elseif(substr($v,0,3) == "") {
  131. $ar[$k] = iconv("UCS-2","utf-8",pack("H4",substr($v,3,-1)));
  132. } elseif(substr($v,0,2) == "") {
  133. echo substr($v,2,-1)."";
  134. $ar[$k] = iconv("UCS-2","utf-8",pack("n",substr($v,2,-1)));
  135. }
  136. }
  137. return join("",$ar);
  138. }
  139. /**
  140. * 数字转人名币
  141. * @param [type] $num [description]
  142. * @return [type] [description]
  143. */
  144. function num2rmb ($num) {
  145. $c1 = "零壹贰叁肆伍陆柒捌玖";
  146. $c2 = "分角元拾佰仟万拾佰仟亿";
  147. $num = round($num, 2);
  148. $num = $num * 100;
  149. if (strlen($num) > 10) {
  150. return "oh,sorry,the number is too long!";
  151. }
  152. $i = 0;
  153. $c = "";
  154. while (1) {
  155. if ($i == 0) {
  156. $n = substr($num, strlen($num)-1, 1);
  157. } else {
  158. $n = $num % 10;
  159. }
  160. $p1 = substr($c1, 3 * $n, 3);
  161. $p2 = substr($c2, 3 * $i, 3);
  162. if ($n != '0' || ($n == '0' && ($p2 == '亿' || $p2 == '万' || $p2 == '元'))) {
  163. $c = $p1 . $p2 . $c;
  164. } else {
  165. $c = $p1 . $c;
  166. }
  167. $i = $i + 1;
  168. $num = $num / 10;
  169. $num = (int)$num;
  170. if ($num == 0) {
  171. break;
  172. }
  173. }
  174. $j = 0;
  175. $slen = strlen($c);
  176. while ($j $m = substr($c, $j, 6);
  177. if ($m == '零元' || $m == '零万' || $m == '零亿' || $m == '零零') {
  178. $left = substr($c, 0, $j);
  179. $right = substr($c, $j + 3);
  180. $c = $left . $right;
  181. $j = $j-3;
  182. $slen = $slen-3;
  183. }
  184. $j = $j + 3;
  185. }
  186. if (substr($c, strlen($c)-3, 3) == '零') {
  187. $c = substr($c, 0, strlen($c)-3);
  188. } // if there is a '0' on the end , chop it out
  189. return $c . "整";
  190. }
  191. /**
  192. * 特殊的字符
  193. * @param [type] $str [description]
  194. * @return [type] [description]
  195. */
  196. function makeSemiangle($str) {
  197. $arr = array(
  198. '0' => '0', '1' => '1', '2' => '2', '3' => '3', '4' => '4',
  199. '5' => '5', '6' => '6', '7' => '7', '8' => '8', '9' => '9',
  200. 'A' => 'A', 'B' => 'B', 'C' => 'C', 'D' => 'D', 'E' => 'E',
  201. 'F' => 'F', 'G' => 'G', 'H' => 'H', 'I' => 'I', 'J' => 'J',
  202. 'K' => 'K', 'L' => 'L', 'M' => 'M', 'N' => 'N', 'O' => 'O',
  203. 'P' => 'P', 'Q' => 'Q', 'R' => 'R', 'S' => 'S', 'T' => 'T',
  204. 'U' => 'U', 'V' => 'V', 'W' => 'W', 'X' => 'X', 'Y' => 'Y',
  205. 'Z' => 'Z', 'a' => 'a', 'b' => 'b', 'c' => 'c', 'd' => 'd',
  206. 'e' => 'e', 'f' => 'f', 'g' => 'g', 'h' => 'h', 'i' => 'i',
  207. 'j' => 'j', 'k' => 'k', 'l' => 'l', 'm' => 'm', 'n' => 'n',
  208. 'o' => 'o', 'p' => 'p', 'q' => 'q', 'r' => 'r', 's' => 's',
  209. 't' => 't', 'u' => 'u', 'v' => 'v', 'w' => 'w', 'x' => 'x',
  210. 'y' => 'y', 'z' => 'z',
  211. '(' => '(', ')' => ')', '〔' => '[', '〕' => ']', '【' => '[',
  212. '】' => ']', '〖' => '[', '〗' => ']', '{' => '{', '}' => '}', '《' => ' '》' => '>',
  213. '%' => '%', '+' => '+', '—' => '-', '-' => '-', '~' => '-',
  214. ':' => ':', '。' => '.', '、' => ',', ',' => '.', '、' => '.',
  215. ';' => ';', '?' => '?', '!' => '!', '…' => '-', '‖' => '|',
  216. '”' => '"', '“' => '"', '’' => '`', '‘' => '`', '|' => '|', '〃' => '"',
  217. ' ' => ' ','.' => '.');
  218. return strtr($str, $arr);
  219. }
  220. /**
  221. * 下载
  222. * @param [type] $filename [description]
  223. * @param string $dir [description]
  224. * @return [type] [description]
  225. */
  226. function downloads($filename,$dir='./'){
  227. $filepath = $dir.$filename;
  228. if (!file_exists($filepath)){
  229. header("Content-type: text/html; charset=utf-8");
  230. echo "File not found!";
  231. exit;
  232. } else {
  233. $file = fopen($filepath,"r");
  234. Header("Content-type: application/octet-stream");
  235. Header("Accept-Ranges: bytes");
  236. Header("Accept-Length: ".filesize($filepath));
  237. Header("Content-Disposition: attachment; filename=".$filename);
  238. echo fread($file, filesize($filepath));
  239. fclose($file);
  240. }
  241. }
  242. /**
  243. * 创建一个目录树
  244. * @param [type] $dir [description]
  245. * @param integer $mode [description]
  246. * @return [type] [description]
  247. */
  248. function mkdirs($dir, $mode = 0777) {
  249. if (!is_dir($dir)) {
  250. mkdirs(dirname($dir), $mode);
  251. return mkdir($dir, $mode);
  252. }
  253. return true;
  254. }
复制代码
  1. #完善cURL功能
  2. function xcurl($url,$ref=null,$post=array(),$ua="Mozilla/5.0 (X11; Linux x86_64; rv:2.2a1pre) Gecko/20110324 Firefox/4.2a1pre",$print=false) {
  3. $ch = curl_init();
  4. curl_setopt($ch, CURLOPT_AUTOREFERER, true);
  5. if(!empty($ref)) {
  6. curl_setopt($ch, CURLOPT_REFERER, $ref);
  7. }
  8. curl_setopt($ch, CURLOPT_URL, $url);
  9. curl_setopt($ch, CURLOPT_HEADER, 0);
  10. curl_setopt($ch, CURLOPT_FOLLOWLOCATION, 1);
  11. curl_setopt($ch, CURLOPT_RETURNTRANSFER, 1);
  12. if(!empty($ua)) {
  13. curl_setopt($ch, CURLOPT_USERAGENT, $ua);
  14. }
  15. if(count($post) > 0){
  16. curl_setopt($ch, CURLOPT_POST, 1);
  17. curl_setopt($ch, CURLOPT_POSTFIELDS, $post);
  18. }
  19. $output = curl_exec($ch);
  20. curl_close($ch);
  21. if($print) {
  22. print($output);
  23. } else {
  24. return $output;
  25. }
  26. }
复制代码
  1. /**
  2. * 根据一个时间戳得到详细信息
  3. * @param [type] $time [时间戳]
  4. * @return [type]
  5. * @author [yangsheng@yahoo.com]
  6. */
  7. function getDateInfo($time){
  8. $day_of_week_cn=array("日","一","二","三","四","五","六"); //中文星期
  9. $week_of_month_cn = array('','第1周','第2周','第3周','第4周','第5周','第6周');#本月第几周
  10. $tenDays= getTenDays(date('j',$time)); #获得旬
  11. $quarter = getQuarter(date('n',$time),date('Y',$time));# 获取季度
  12. $dimDate = array(
  13. 'date_key' => strtotime(date('Y-m-d',$time)), #日期时间戳
  14. 'date_day' => date('Y-m-d',$time), #日期YYYY-MM-DD
  15. 'current_year' => date('Y',$time),#数字年
  16. 'current_quarter' => $quarter['current_quarter'], #季度
  17. 'quarter_cn' =>$quarter['quarter_cn'],
  18. 'current_month' =>date('n',$time),#月
  19. 'month_cn' =>date('Y-m',$time), #月份
  20. 'tenday_of_month' =>$tenDays['tenday_of_month'],#数字旬
  21. 'tenday_cn' =>$tenDays['tenday_cn'],#中文旬
  22. 'week_of_month' =>ceil(date('j',$time)/7), #本月第几周
  23. 'week_of_month_cn' =>$week_of_month_cn[ceil(date('j',$time)/7)],#中文当月第几周
  24. 'day_of_year' =>date('z',$time)+1, #年份中的第几天
  25. 'day_of_month' =>date('j',$time),#得到几号
  26. 'day_of_week' =>date('w',$time)>0 ? date('w',$time):7,#星期几
  27. 'day_of_week_cn' =>'星期'.$day_of_week_cn[date('w',$time)],
  28. );
  29. return $dimDate;
  30. }
  31. /**
  32. * 获得日期是上中下旬
  33. * @param [int] $j [几号]
  34. * @return [array] [description]
  35. * @author [yangsheng@yahoo.com]
  36. */
  37. function getTenDays($j)
  38. {
  39. $j = intval($j);
  40. if($j 31){
  41. return false;#不是日期
  42. }
  43. $tenDays = ceil($j/10);
  44. switch ($tenDays) {
  45. case 1:#上旬
  46. return array('tenday_of_month'=>1,'tenday_cn'=>'上旬',);
  47. break;
  48. case 2:#中旬
  49. return array('tenday_of_month'=>2,'tenday_cn'=>'中旬',);
  50. break;
  51. default:#下旬
  52. return array('tenday_of_month'=>3,'tenday_cn'=>'下旬',);
  53. break;
  54. }
  55. return false;
  56. }
  57. /**
  58. * 根据月份获得当前第几季度
  59. * @param [int] $n [月份]
  60. * @param [int] $y [年]
  61. * @return [array] [description]
  62. */
  63. function getQuarter($n,$y=null){
  64. $n = intval($n);
  65. if($n 12){
  66. return false; #不是月份
  67. }
  68. $quarter = ceil($n/3);
  69. switch ($quarter) {
  70. case 1: #第一季度
  71. return array('current_quarter' => 1, 'quarter_cn'=>$y?$y.'-Q1':'Q1');
  72. break;
  73. case 2: #第二季度
  74. return array('current_quarter' => 2, 'quarter_cn'=>$y?$y.'-Q2':'Q2');
  75. break;
  76. case 3: #第三季度
  77. return array('current_quarter' => 3, 'quarter_cn'=>$y?$y.'-Q3':'Q3');
  78. break;
  79. case 4: #第四季度
  80. return array('current_quarter' => 4, 'quarter_cn'=>$y?$y.'-Q4':'Q4');
  81. break;
  82. }
  83. return false;
  84. }
复制代码


Statement
The content of this article is voluntarily contributed by netizens, and the copyright belongs to the original author. This site does not assume corresponding legal responsibility. If you find any content suspected of plagiarism or infringement, please contact admin@php.cn
PHP's Current Status: A Look at Web Development TrendsPHP's Current Status: A Look at Web Development TrendsApr 13, 2025 am 12:20 AM

PHP remains important in modern web development, especially in content management and e-commerce platforms. 1) PHP has a rich ecosystem and strong framework support, such as Laravel and Symfony. 2) Performance optimization can be achieved through OPcache and Nginx. 3) PHP8.0 introduces JIT compiler to improve performance. 4) Cloud-native applications are deployed through Docker and Kubernetes to improve flexibility and scalability.

PHP vs. Other Languages: A ComparisonPHP vs. Other Languages: A ComparisonApr 13, 2025 am 12:19 AM

PHP is suitable for web development, especially in rapid development and processing dynamic content, but is not good at data science and enterprise-level applications. Compared with Python, PHP has more advantages in web development, but is not as good as Python in the field of data science; compared with Java, PHP performs worse in enterprise-level applications, but is more flexible in web development; compared with JavaScript, PHP is more concise in back-end development, but is not as good as JavaScript in front-end development.

PHP vs. Python: Core Features and FunctionalityPHP vs. Python: Core Features and FunctionalityApr 13, 2025 am 12:16 AM

PHP and Python each have their own advantages and are suitable for different scenarios. 1.PHP is suitable for web development and provides built-in web servers and rich function libraries. 2. Python is suitable for data science and machine learning, with concise syntax and a powerful standard library. When choosing, it should be decided based on project requirements.

PHP: A Key Language for Web DevelopmentPHP: A Key Language for Web DevelopmentApr 13, 2025 am 12:08 AM

PHP is a scripting language widely used on the server side, especially suitable for web development. 1.PHP can embed HTML, process HTTP requests and responses, and supports a variety of databases. 2.PHP is used to generate dynamic web content, process form data, access databases, etc., with strong community support and open source resources. 3. PHP is an interpreted language, and the execution process includes lexical analysis, grammatical analysis, compilation and execution. 4.PHP can be combined with MySQL for advanced applications such as user registration systems. 5. When debugging PHP, you can use functions such as error_reporting() and var_dump(). 6. Optimize PHP code to use caching mechanisms, optimize database queries and use built-in functions. 7

PHP: The Foundation of Many WebsitesPHP: The Foundation of Many WebsitesApr 13, 2025 am 12:07 AM

The reasons why PHP is the preferred technology stack for many websites include its ease of use, strong community support, and widespread use. 1) Easy to learn and use, suitable for beginners. 2) Have a huge developer community and rich resources. 3) Widely used in WordPress, Drupal and other platforms. 4) Integrate tightly with web servers to simplify development deployment.

Beyond the Hype: Assessing PHP's Role TodayBeyond the Hype: Assessing PHP's Role TodayApr 12, 2025 am 12:17 AM

PHP remains a powerful and widely used tool in modern programming, especially in the field of web development. 1) PHP is easy to use and seamlessly integrated with databases, and is the first choice for many developers. 2) It supports dynamic content generation and object-oriented programming, suitable for quickly creating and maintaining websites. 3) PHP's performance can be improved by caching and optimizing database queries, and its extensive community and rich ecosystem make it still important in today's technology stack.

What are Weak References in PHP and when are they useful?What are Weak References in PHP and when are they useful?Apr 12, 2025 am 12:13 AM

In PHP, weak references are implemented through the WeakReference class and will not prevent the garbage collector from reclaiming objects. Weak references are suitable for scenarios such as caching systems and event listeners. It should be noted that it cannot guarantee the survival of objects and that garbage collection may be delayed.

Explain the __invoke magic method in PHP.Explain the __invoke magic method in PHP.Apr 12, 2025 am 12:07 AM

The \_\_invoke method allows objects to be called like functions. 1. Define the \_\_invoke method so that the object can be called. 2. When using the $obj(...) syntax, PHP will execute the \_\_invoke method. 3. Suitable for scenarios such as logging and calculator, improving code flexibility and readability.

See all articles

Hot AI Tools

Undresser.AI Undress

Undresser.AI Undress

AI-powered app for creating realistic nude photos

AI Clothes Remover

AI Clothes Remover

Online AI tool for removing clothes from photos.

Undress AI Tool

Undress AI Tool

Undress images for free

Clothoff.io

Clothoff.io

AI clothes remover

AI Hentai Generator

AI Hentai Generator

Generate AI Hentai for free.

Hot Article

R.E.P.O. Energy Crystals Explained and What They Do (Yellow Crystal)
3 weeks agoBy尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. Best Graphic Settings
3 weeks agoBy尊渡假赌尊渡假赌尊渡假赌
R.E.P.O. How to Fix Audio if You Can't Hear Anyone
3 weeks agoBy尊渡假赌尊渡假赌尊渡假赌
WWE 2K25: How To Unlock Everything In MyRise
4 weeks agoBy尊渡假赌尊渡假赌尊渡假赌

Hot Tools

Atom editor mac version download

Atom editor mac version download

The most popular open source editor

SAP NetWeaver Server Adapter for Eclipse

SAP NetWeaver Server Adapter for Eclipse

Integrate Eclipse with SAP NetWeaver application server.

PhpStorm Mac version

PhpStorm Mac version

The latest (2018.2.1) professional PHP integrated development tool

Dreamweaver CS6

Dreamweaver CS6

Visual web development tools

mPDF

mPDF

mPDF is a PHP library that can generate PDF files from UTF-8 encoded HTML. The original author, Ian Back, wrote mPDF to output PDF files "on the fly" from his website and handle different languages. It is slower than original scripts like HTML2FPDF and produces larger files when using Unicode fonts, but supports CSS styles etc. and has a lot of enhancements. Supports almost all languages, including RTL (Arabic and Hebrew) and CJK (Chinese, Japanese and Korean). Supports nested block-level elements (such as P, DIV),