获取codeigniter中的列值数组

时间:2013-10-14 13:02:24

标签: php mysql arrays codeigniter

我有一个具有这种结构的表:

ID int(11)

user_id int(11)

notification_event_id int(11)

如何获得包含user_id列的所有值的数组:

EX:

Array([0]=> 1,[1]=>2,[2]=>3,[3]=>4,[4]=>5,[5]=>6);

并且没有循环result_array()值并将user_ids移动到新的整数数组

可能吗?

2 个答案:

答案 0 :(得分:12)

每个结果行本身就是一个数组,所以一些循环是必要的!为什么你需要以不同的方式做到这一点?

做你想做的最简单的方法是:

// Model
function get_all_userid()
{
    $query = $this->db->get('table_name');
    $array = array();

    foreach($query->result() as $row)
    {
        $array[] = $row['user_id']; // add each user id to the array
    }

    return $array;
}

// Controller
function user_list()
{
    $data = $this->your_model->get_all_userid(); // get results array from model
    $this->load->view('your_view', $data); // pass array to view
}

显然,您需要调整表格/型号名称以匹配您正在使用的名称。

答案 1 :(得分:2)

我做了一项研究,发现了这个:

注意:一个'神奇'的解决方案,例如:使用codeigniter自定义函数,我认为在实际框架版本中不存在。因此,您需要在Model或Custom Helper中创建一个函数。

参考: Populate drop down list from database

使用您的模型

// Controller
$data['city_list'] = $this->City_model->get_dropdown_list();
$this->load->view('my_view_file', $data); 
Model:

// Model (or create a helper -- see below)
function get_dropdown_list()
{
  $this->db->from('city');
  $this->db->order_by('name');
  $result = $this->db->get();
  $return = array();
  if($result->num_rows() > 0) {
    foreach($result->result_array() as $row) {
      $return[$row['id']] = $row['name'];
    }
  }

  return $return;
}

// View
<?php echo form_dropdown('city_id', $city_list, set_value('city_id', $city_id)); 

使用助手

if ( ! function_exists('drop_down'))
{
    function drop_down($name, $match, $data)
    {
        $form = '<select name="'.$name.'"> ' ."\n";

        foreach($data as $key => $value)
        {                                
            $selected = ($match == $key) ? 'selected="selected"' : NULL ;
            $form .= '<option value="'. $key .'" '. $selected .'>'.$value.'' . "\n";
        }           

        $form .= '</select>' . "\n";
        return $form;
    }
} 
In the view

echo drop_down('mylist', 3, $data);