映射3个表的3个模型:Image,Slider和SliderImageAssoc。在这种情况下,它是一对多的,因为一个图像可以“链接”到许多滑块。
我习惯的ZF方式也提出了3个模型,并且在其中存储了特殊的内部数据,你可以执行$ imageRow-> getSliderViaSliderImageAssoc()之类的操作,从而得到Slider的父行。那某种形象模型。
我的问题是,如何在Magento中获取相关模型?我见过名为setParentFieldName
的方法,但我不认为它们是核心的。你可以这样做:
foreach ($model->getCollection() as $model) {
$parentRow = $model->getParent('some/model/name');
$dependentRowset = $model->getChildren('some/other/model/name');
}
PS:我不一定要使用ZF样式的抓取。
答案 0 :(得分:7)
据我所知,在Magento中,不支持实体表关系的通用映射。我建议在资源模型和资源集合中添加辅助方法,以便在需要时将连接添加到select对象。
以下是上述实用程序方法的核心示例,用于在集合上加载其他数据:
// from Mage_Catalog_Model_Resource_Product_Collection::joinUrlRewrite()
public function joinUrlRewrite()
{
$this->joinTable(
'core/url_rewrite',
'entity_id=entity_id',
array('request_path'),
'{{table}}.type = ' . Mage_Core_Model_Url_Rewrite::TYPE_PRODUCT,
'left'
);
return $this;
}
如果被调用,core_url_rewrite
表将与产品实体表连接。
如果每次都需要加载联接数据,_getLoadSelect()
方法可用于资源模型,或_initSelect()
用于收集。
以下是cms/page
资源模型的示例:
// from Mage_Cms_Model_Resource_Page::_getLoadSelect()
protected function _getLoadSelect($field, $value, $object)
{
$select = parent::_getLoadSelect($field, $value, $object);
if ($object->getStoreId()) {
$storeIds = array(Mage_Core_Model_App::ADMIN_STORE_ID, (int)$object->getStoreId());
$select->join(
array('cms_page_store' => $this->getTable('cms/page_store')),
$this->getMainTable() . '.page_id = cms_page_store.page_id',
array())
->where('is_active = ?', 1)
->where('cms_page_store.store_id IN (?)', $storeIds)
->order('cms_page_store.store_id DESC')
->limit(1);
}
return $select;
}
可以在_initSelect()
中找到Mage_CatalogInventory_Model_Resource_Stock_Item_Collection::_initSelect()
加入的示例(我不会在此处发布,因为它与_getLoadSelect()
示例非常相似)。
某些模块在模块的“外部”(即库存项目集合Mage_CatalogInventory_Model_Resource_Stock_Item::addCatalogInventoryToProductCollection($productCollection)
)上设置集合的连接。这里cataloginventory
模块使用产品集合选择对象来添加一些连接数据。
最后,另一种方法是在_afterLoad()
方法中加载所需数据,进行单独选择(与连接相比):
// from Mage_Cms_Model_Resource_Page_Collection::_afterLoad()
protected function _afterLoad()
{
if ($this->_previewFlag) {
$items = $this->getColumnValues('page_id');
$connection = $this->getConnection();
if (count($items)) {
$select = $connection->select()
->from(array('cps'=>$this->getTable('cms/page_store')))
->where('cps.page_id IN (?)', $items);
if ($result = $connection->fetchPairs($select)) {
foreach ($this as $item) {
if (!isset($result[$item->getData('page_id')])) {
continue;
}
if ($result[$item->getData('page_id')] == 0) {
$stores = Mage::app()->getStores(false, true);
$storeId = current($stores)->getId();
$storeCode = key($stores);
} else {
$storeId = $result[$item->getData('page_id')];
$storeCode = Mage::app()->getStore($storeId)->getCode();
}
$item->setData('_first_store_id', $storeId);
$item->setData('store_code', $storeCode);
}
}
}
}
return parent::_afterLoad();
}
这也可以使用集合或模型的*_load_after
事件来完成。