我目前正在创建CMS,CMS的一个主要功能是数据源系统。该网站将其一个数据库的内容传输到大量的列表网站。每个站点都有自己的格式化这些信息的规范,我的任务是创建一个后端,可以用来轻松修改和添加非程序员的数据源。
到目前为止,我收到的格式中有三种文件类型,XML,CSV和TXT。即使在这些文件类型中也有不同的格式标准,字段的顺序不同,有些引用,有些没有等等。我一直在困惑这一段时间,这是我的解决方案:
我的问题是弄清楚如何使用一个PHP文件保存多个文件(可能多次从另一个PHP文件调用同一个文件?),而且,如何保存这样的不同文件类型。基本上,我如何设置扩展名并保存文件?
答案 0 :(得分:1)
您可以保存多个文件,例如保存第一个文件。
如果$filecontent
中有文件内容,$filepath
中有要使用的文件名(带有适当的扩展名),则可以使用
file_put_contents($filename, $filecontent)
在你的循环中做到这一点,你已经完成了。
答案 1 :(得分:1)
我建议采用面向对象的方法来解决所有这些问题:
1)为每个对象转换每个数据类型创建接口
interface xmlSerializable {
public function toXML();
}
interface csvSerializable {
public function toCSV();
}
interface txtSeriablizable() {
public function toTXT();
}
2)创建一个类来表示您需要为客户端序列化为不同格式的数据类型,并implement
每个接口
class Data implements xmlSerializeable { // I only implemented one for brevity
private $id = null;
private $stuff = null;
private $otherStuff = null;
private $stuffArray = array();
public __construct($id, $stuff, $otherStuff, $stuffArray) {
$this->id = $id;
$this->stuff = $stuff;
$this->otherStuff = $otherStuff;
$this->stuffArray = $stuffArray;
}
public function getId() { return $this->id; }
public function toXML() {
$output = '<?xml version="1.0" encoding="UTF-8"?>'."\n".
'<data>'."\n\t".
'<id>'.$this->id.'</id>'."\n\t".
'<stuff>'.$this->stuff.'</stuff>'."\n\t".
'<otherStuff>'.$this->otherStuff.'</otherStuff>'."\n\t".
'<stuffArray>'."\n\t\t";
foreach($this->stuffArray as $stuff) {
$output .= '<stuff>'.$stuff.'</stuff>'."\n\t\t";
}
$output .= '</stuffArray>'."\n".
'</data>';
return $output;
}
}
现在,您可以通过创建接受SQL查询并返回Data
个对象数组的DataFactory
来从数据库创建Data
个对象。要序列化它们,只需调用为每种格式实现的方法:
$df = new DataFactory($pdo);
$datas = $df->query('SELECT * FROM Data');
foreach($datas as $data) {
file_put_contents('/data/xml/'.$data->getId().'.xml', $data->toXML());
// You can add other formats here in the above fashion
}