class Photos
{
private $photos = array();
function add_photo($filename, $date, $lat, $long)
{
$this->photos[] = array('filename' => $filename, 'date' => $date,
'lat' => $lat, 'long' => $long);
return $this;
}
function get_all()
{
return json_encode($this->photos);
}
}
我是面向对象的php的新手,所以我想在这里得到一些帮助。 get_all
函数返回我的所有照片。我想添加一个函数来返回X个数量的照片数组,而不是所有这些数组。但我不知道该怎么做。任何帮助表示赞赏!
答案 0 :(得分:2)
由于$this->photos
只是一个数组,您可以使用array_slice
来获取所需的子集:
function get_N($n) {
return json_encode(array_slice($this->photos, 0, $n));
}
要留下DRY,我建议您将编码“进程”移动到方法中:
function encode($data) {
return json_encode($data);
}
function get_N($n) {
return $this->encode(...);
}
但这根本没有必要。
答案 1 :(得分:0)
/**
* Retrieve a photo from an index or a range of photos from an index
* to a given length
* @param int index
* @param int|null length to retrieve, or null for a single photo
* @return string json_encoded string from requested range of photos.
*/
function get($key, $length = null) {
$photos = array();
if ($length === null) {
$photos[] = $this->photos[$key];
}
else {
$photos = array_slice($this->photos, $key, $length);
}
return json_encode($photos);
}