ปัญหาคือตอนที่กด Saveข้อมูลในหน้า Edit ปรากฎว่า Category ที่เลือกไม่ได้เซฟ Category name แต่บันทึก Category id ลงตารางpostsในดาต้าเบสแทน
จะเห็นว่าตอนดึงข้อมูลในหน้า index.ctp ตามรูปข้างล่างนี้ category ควรจะเป็น Category name ไม่ใช่ id ของ Category
โค้ดคะ
PostsController.php
<?php
class PostsController extends AppController {
public $helpers = array('Html', 'Form');
public $uses = array('Post','Category');
public function index() {
$this->set('posts', $this->Post->find('all'));
}
public function edit($id = null) {
if (!$id) {
throw new NotFoundException(__('Invalid post'));
}
$post = $this->Post->findById($id);
if (!$post) {
throw new NotFoundException(__('Invalid post'));
}
if ($this->request->is(array('post', 'put'))) {
$this->Post->id = $id;
if ($this->Post->save($this->request->data)) {
$this->Session->setFlash(__('Your post has been updated.'));
return $this->redirect(array('action' => 'index'));
}
$this->Session->setFlash(__('Unable to update your post.'));
}
if (!$this->request->data) {
$this->request->data = $post;
}
$categories = $this->Category->getCategory(); //<---- ดึงข้อมูลชื่อCategoryname มาจาก โมเดล Category
$this->set('category', $categories);
}
}
Category.php
<?php
class Category extends AppModel{
public $name='Category';
public $validate =array(
'name'=>array(
'notEmpty'=>array(
'rule'=>'notEmpty','message'=>'pleases input Category name'
)
)
);
public function getCategory(){
return $this->find('list',array('fields'=>array('Category.name'),'order'=>'Category.name ASC')
);
}
}
?>
เพราะตอนที่ save Post คุณให้ value ของ category เป็น id ไม่ใช่ name เนื่องจากคุณสร้าง HTML Options ที่มี value เป็น id จากการใช้ Category::find('list')
public function getCategory(){
return $this->find('list',array('fields'=>array('Category.name'),'order'=>'Category.name ASC')
);
ซึ่งเป็นวิธีที่ถูกต้องแล้ว เราควรเก็บค่าพวกนี้เป็น id
แต่ปัญหาอยู่ที่ตอนดึงมาแสดงครับ ต้องกำหนด Associations ระหว่าง Post กับ Category ครับ
ทุก Post เป็นของ Category อันใดอันหนึ่ง ใช้ $belongsTo
class Post extends AppModel
{
public $name = 'Post';
public $belongsTo = array(
'Category' => array(
'className' => 'Category',
'foreignKey' => 'category', // ควรจะเปลี่ยนเป็น category_id
),
);
}
Category มีได้หลาย Post ใช้ $hasMany
class Category extends AppModel
{
public $name = 'Category';
public $hasMany = array(
'Post' => array(
'className' => 'Post',
),
);
}
คราวนี้เวลาเราใช้ Post::find()
มันจะได้ Array ของทั้ง Post และ Category
$posts = $this->find('all');
echo $posts[0]['Post']['id']; // id ของ Post แรก
echo $posts[0]['Post']['title']; // title ของ Post แรก
echo $posts[0]['Category']['id']; // id ของ "Category ของ Post แรก"
echo $posts[0]['Category']['name']; // name ของ "Category ของ Post แรก"
เวลาแสดงผลก็เอา name ของ Category ไปแสดงครับ
หวังว่าคงจะช่วยได้นะครับ