Я использую CodeIgniter для создания php-веб-приложения и пытаюсь использовать хорошие ОО-методы, о которых, как представляется, существует множество точек зрения.У меня есть класс biography_model для взаимодействия с таблицей MySQL.Эта модель данных имеет некоторые свойства класса, представляющие столбцы в таблице, но она также имеет некоторые свойства , а не в таблице, такие как $image_url
.Функция конструктора класса принимает необязательный параметр ID записи, который затем извлекает эту запись из таблицы и устанавливает все свойства объекта, вызывая метод get_biography()
, включая свойство $image_url
, отсутствующее в таблице.Таким образом, я могу создать новый объект biography_model в контроллере со всеми полезными свойствами, готовыми к работе: $bio = new biography_model($id);
Но каков наилучший подход, когда мы возвращаем многострочный набор результатов записей изТаблица?Для каждой записи мне также нужно установить $image_url
.Я мог бы сделать это в контроллере, запросив список записей в таблице, а затем передав каждый идентификатор в новый объект biography_model ($ id).Но тогда у меня была бы ситуация, когда контроллер напрямую запрашивал базу данных в обход модели.
Вместо этого я хочу вернуть массив объектов biography_model из biography_model.
Пример:
class Biography_model extends Model
{
/**
* This model manages biography information in the 'biography_content' table.
* If a biography ID is passed in when instantiating a new object,
* then all class properties are set.
*/
protected $id;
protected $person_name;
protected $title;
protected $image_file_name;
protected $image_url;
protected $biography_text;
protected $active;
/**
* Constructor
*
* If an id is supplied when instantiating a new object, then
* all class variables are set for the record.
*/
public function __construct($person_id = NULL)
{
parent::Model();
if(isset($person_id))
{
$this->set_property('id',$person_id);
$this->get_biography();
}
}
/**
* Sets supplied property with supplied value.
*/
public function set_property($property, $value)
{
// Set image path if $value is the file name
if($property == 'image_file_name')
{
$this->set_property('image_url',$this->get_bio_img_url($value));
}
$this->$property = $value;
}
/**
* Gets requested property value.
*/
public function get_property($property)
{
return $this->$property;
}
/**
* Returns the biography thumbnail image URL
*/
public function get_bio_img_url($image_name)
{
return $this->config->item('parent_url').'assets/img/biography/'.$image_name;
}
/**
* Get one or more biography entries
*/
public function get_biography()
{
// If the ID is set then set model properties.
if($this->get_property('id'))
{
$this->db->where('id',$this->get_property('id'));
$query = $this->db->get('biography_content');
if($query->num_rows() == 1)
{
foreach($query->row() as $key => $value)
{
$this->set_property($key, $value);
}
}
}
// Otherwise return result set of all biographies
else
{
// Get the list of record ID's
$this->db->select('id');
$query = $this->db->get('biography_content');
if ($query->num_rows() > 0)
{
// New array to return result set
$biography_list = array();
// For each record, return a new biography_model object
foreach($query->result() as $value)
{
$biography_list[] = new biography_model($value->id);
}
}
return $biography_list;
}
}
}
// End of Biography_model Class
Это работает.Но разумный ли это подход?Есть ли другие более приемлемые методы?Я прекрасно осознаю, что я дважды обращаюсь к базе данных, но я не был уверен в лучшем способе справиться с этим.Все предложения приветствуются!
Спасибо, Волк