本文介绍了在 php 中判断文件名是否以特定字符串结尾的有效方法。针对 PHP 8 及以上版本,推荐使用内置函数 str_ends_with(),该函数简洁高效。对于 PHP 7,文章提供了多种模拟 str_ends_with() 功能的方案,并结合文件清理的实际场景,提供了完整的代码示例和注意事项,帮助开发者轻松实现文件管理功能。
使用 str_ends_with() 函数 (PHP 8+)
PHP 8 引入了 str_ends_with() 函数,专门用于检查字符串是否以指定的后缀结尾。 这使得代码更加简洁易读。
<?php $filename = 'sifriugh-80.JSon'; if (str_ends_with($filename, 'json')) { echo "'$filename' 以 'json' 结尾。n"; } else { echo "'$filename' 不以 'json' 结尾。n"; } $filename = 'dlifjbhvzique-100.json'; if (str_ends_with($filename, '100.json')) { echo "'$filename' 以 '100.json' 结尾。n"; } else { echo "'$filename' 不以 '100.json' 结尾。n"; } ?>
在文件清理脚本中的应用:
$fileSystemIterator = new FilesystemIterator('cache'); $now = time(); foreach ($fileSystemIterator as $file) { $filename = $file->getFilename(); $filepath = 'cache/' . $filename; if (str_ends_with($filename, '100.json')) { // 每 7 天删除一次以 '-100.json' 结尾的文件 if ($now - $file->getCTime() >= 7 * 24 * 3600) { unlink($filepath); } } else { // 每 2 小时删除一次其他文件 if ($now - $file->getCTime() >= 2 * 3600) { unlink($filepath); } } }
PHP 7 的替代方案
如果你的 PHP 版本低于 8,可以使用以下方法模拟 str_ends_with() 函数:
立即学习“PHP免费学习笔记(深入)”;
1. 使用 substr() 和 strcmp():
<?php function str_ends_with(string $haystack, string $needle): bool { $length = strlen($needle); if ($length === 0) { return true; } return (substr($haystack, -$length) === $needle); } $filename = 'sifriugh-80.json'; if (str_ends_with($filename, 'json')) { echo "'$filename' 以 'json' 结尾。n"; } else { echo "'$filename' 不以 'json' 结尾。n"; } ?>
2. 使用 preg_match():
虽然 str_ends_with() 更高效,但正则表达式也可以实现相同的功能。
<?php $filename = 'sifriugh-80.json'; if (preg_match('/json$/', $filename)) { echo "'$filename' 以 'json' 结尾。n"; } else { echo "'$filename' 不以 'json' 结尾。n"; } ?>
在文件清理脚本中的应用 (PHP 7 示例,使用 substr() 和 strcmp()):
<?php function str_ends_with(string $haystack, string $needle): bool { $length = strlen($needle); if ($length === 0) { return true; } return (substr($haystack, -$length) === $needle); } $fileSystemIterator = new FilesystemIterator('cache'); $now = time(); foreach ($fileSystemIterator as $file) { $filename = $file->getFilename(); $filepath = 'cache/' . $filename; if (str_ends_with($filename, '100.json')) { // 每 7 天删除一次以 '-100.json' 结尾的文件 if ($now - $file->getCTime() >= 7 * 24 * 3600) { unlink($filepath); } } else { // 每 2 小时删除一次其他文件 if ($now - $file->getCTime() >= 2 * 3600) { unlink($filepath); } } } ?>
注意事项
- 文件路径: unlink() 函数需要正确的文件路径。 确保 $filepath 变量包含完整且正确的文件路径。
- 权限: 确保 PHP 脚本有足够的权限删除文件。
- 错误处理: 在生产环境中,建议添加错误处理机制,例如使用 try…catch 块来捕获可能发生的异常(例如文件不存在或权限不足)。
- 时间戳: getCTime() 返回的是文件的更改时间,而不是创建时间。如果需要根据创建时间删除文件,可以使用 filectime() 函数。
总结
本文介绍了在 PHP 中判断字符串结尾的两种主要方法:使用 str_ends_with() (PHP 8+) 和使用替代方案 (PHP 7)。 选择哪种方法取决于你的 PHP 版本和项目需求。 对于 PHP 8+,str_ends_with() 是首选方案,因为它简洁高效。 对于 PHP 7,substr() 和 strcmp() 的组合是最佳选择。 无论你选择哪种方法,都应该注意文件路径、权限和错误处理,以确保代码的稳定性和可靠性。
© 版权声明
文章版权归作者所有,未经允许请勿转载。
THE END
喜欢就支持一下吧
相关推荐