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

如何使用PHP批量去除文件UTF8 BOM信息

程序员文章站 2023-01-07 18:38:15
原理:utf8文件,微软为了增加一个识别信息,有了bom这个东西:bom —— byte order mark,缺省在windows等平台上编辑的utf8文件会在头部增加3...

原理:
utf8文件,微软为了增加一个识别信息,有了bom这个东西:bom —— byte order mark,缺省在windows等平台上编辑的utf8文件会在头部增加3个字节的标记信息,我们php引擎在处理的时候会完整读取整个php代码文档, 如果php文件头部包含bom信息,就会输出一个空白,在很多时候会带来问题,比如我们session无法工作、cookie无法设置等等问题。

解决方法:
把头部bom的3个字节信息识别出来,然后剔除掉。不过一般情况我们不知道哪个文件有bom,或者是有很多文件,这个时候,就需要进行批量处理了,下面代码主要就是展现了批量处理的情况,应该会对大家工作中有帮助。

执行方法:
设置一个路径,然后直接执行就行。

复制代码 代码如下:

<?php
// 设定你要清除bom的根目录(会自动扫描所有子目录和文件)
$home = dirname(__file__);
// 如果是windows系统,修改为:$win = 1;
$win = 0;
?>
<!doctype html public "-//w3c//dtd xhtml 1.0 transitional//en" "http://www.w3.org/tr/xhtml1/dtd/xhtml1-transitional.dtd">
<html xmlns="http://www.w3.org/1999/xhtml">
<head>
<meta http-equiv="content-type" content="text/html; charset=utf-8" />
<title>utf8 bom 清除器</title>
<style>
body { font-size: 10px; font-family: arial, helvetica, sans-serif; background: #fff; color: #000; }
.found { color: #f30; font-size: 14px; font-weight: bold; }
</style>
</head>
<body>
<?php
$bombed = array();
recursivefolder($home);
echo '<h2>these files had utf8 bom, but i cleaned them:</h2><p class="found">';
foreach ($bombed as $utf) { echo $utf ."<br />\n"; }
echo '</p>';
// 递归扫描
function recursivefolder($shome) {
 global $bombed, $win;
 $win32 = ($win == 1) ? "\\" : "/";
 $folder = dir($shome);
 $foundfolders = array();
 while ($file = $folder->read()) {
  if($file != "." and $file != "..") {
   if(filetype($shome . $win32 . $file) == "dir"){
    $foundfolders[count($foundfolders)] = $shome . $win32 . $file;
   } else {
    $content = file_get_contents($shome . $win32 . $file);
    $bom = searchbom($content);
    if ($bom) {
     $bombed[count($bombed)] = $shome . $win32 . $file;
     // 移出bom信息
     $content = substr($content,3);
     // 写回到原始文件
     file_put_contents($shome . $win32 . $file, $content);
    }
   }
  }
 }
 $folder->close();
 if(count($foundfolders) > 0) {
  foreach ($foundfolders as $folder) {
   recursivefolder($folder, $win32);
  }
 }
}
// 搜索当前文件是否有bom
function searchbom($string) {
  if(substr($string,0,3) == pack("ccc",0xef,0xbb,0xbf)) return true;
  return false;
}
?>
</body>
</html>