欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  php教程

分享经常用到的21个PHP函数代码段(上)(1)

程序员文章站 2024-02-06 17:29:58
...
下面介绍的是,在PHP开发中,经常用到的21个函数代码段,当我们用到的时候,就可以直接用了。

1. PHP可阅读随机字符串

此代码将创建一个可阅读的字符串,使其更接近词典中的单词,实用且具有密码验证功能。

  1. /**************
  2. *@length – length of random string (must be a multiple of 2)
  3. **************/
  4. function readable_random_string($length = 6){
  5. $conso=array(“b”,”c”,”d”,”f”,”g”,”h”,”j”,”k”,”l”,
  6. “m”,”n”,”p”,”r”,”s”,”t”,”v”,”w”,”x”,”y”,”z”);
  7. $vocal=array(“a”,”e”,”i”,”o”,”u”);
  8. $password=”";
  9. srand ((double)microtime()*1000000);
  10. $max = $length/2;
  11. for($i=1; $i$max; $i++)
  12. {
  13. $password.=$conso[rand(0,19)];
  14. $password.=$vocal[rand(0,4)];
  15. }
  16. return $password;
  17. }

2. PHP生成一个随机字符串

如果不需要可阅读的字符串,使用此函数替代,即可创建一个随机字符串,作为用户的随机密码等。

  1. /*************
  2. *@l – length of random string
  3. */
  4. function generate_rand($l){
  5. $c= “ABCDEFGHIJKLMNOPQRSTUVWXYZabcdefghijklmnopqrstuvwxyz0123456789″;
  6. srand((double)microtime()*1000000);
  7. for($i=0; $i$l; $i++) {
  8. $rand.= $c[rand()%strlen($c)];
  9. }
  10. return $rand;
  11. }

3. PHP编码电子邮件地址

使用此代码,可以将任何电子邮件地址编码为 html 字符实体,以防止被垃圾邮件程序收集。

  1. function encode_email($email=’info@domain.com’, $linkText=’Contact Us’,
  2. $attrs =’class=”emailencoder”‘ )
  3. {
  4. // remplazar aroba y puntos
  5. $email = str_replace(‘@’, ‘@’, $email);
  6. $email = str_replace(‘.’, ‘.’, $email);
  7. $email = str_split($email, 5);
  8. $linkText = str_replace(‘@’, ‘@’, $linkText);
  9. $linkText = str_replace(‘.’, ‘.’, $linkText);
  10. $linkText = str_split($linkText, 5);
  11. $part1 = ‘
  12. $part2 = ‘ilto:’;
  13. $part3 = ‘” ‘. $attrs .’ >’;
  14. $part4 = ‘’;
  15. $encoded = ‘
  16. $encoded .= “document.write(‘$part1′);”;
  17. $encoded .= “document.write(‘$part2′);”;
  18. foreach($email as $e)
  19. {
  20. $encoded .= “document.write(‘$e’);”;
  21. }
  22. $encoded .= “document.write(‘$part3′);”;
  23. foreach($linkText as $l)
  24. {
  25. $encoded .= “document.write(‘$l’);”;
  26. }
  27. $encoded .= “document.write(‘$part4′);”;
  28. $encoded .= ‘’;
  29. return $encoded;
  30. }

4. PHP验证邮件地址

电子邮件验证也许是中最常用的网页表单验证,此代码除了验证电子邮件地址,也可以选择检查邮件域所属 DNS 中的 MX 记录,使邮件验证功能更加强大。

  1. function is_valid_email($email, $test_mx = false)
  2. {
  3. if(eregi(“^([_a-z0-9-]+)(.[_a-z0-9-]+)*@([a-z0-9-]+)(.[a-z0-9-]+)*(.[a-z]{2,4})$”, $email))
  4. if($test_mx)
  5. {
  6. list($username, $domain) = split(“@”, $email);
  7. return getmxrr($domain, $mxrecords);
  8. }
  9. else
  10. return true;
  11. else
  12. return false;
  13. }

5. PHP列出目录内容

  1. function list_files($dir)
  2. {
  3. if(is_dir($dir))
  4. {
  5. if($handle = opendir($dir))
  6. {
  7. while(($file = readdir($handle)) !== false)
  8. {
  9. if($file != “.” && $file != “..” && $file != “Thumbs.db”)
  10. {
  11. echo$dir.$file.’”>’.$file.’
    ’.”n”;
  12. }
  13. }
  14. closedir($handle);
  15. }
  16. }
  17. }

1