PHP Codeigniter 3 – Basic CRUD Operation with MySQL Database with example

PHP Codeigniter 3 – Basic CRUD Operation with MySQL Database with example

In this post we will give you information about PHP Codeigniter 3 – Basic CRUD Operation with MySQL Database with example. Hear we will give you detail about PHP Codeigniter 3 – Basic CRUD Operation with MySQL Database with exampleAnd how to use it also give you demo for it if it is necessary.

Codeigniter 3 – Basic CRUD Operation with MySQL Database with example

In this tutorial, I will tell you the basic CRUD operation with MySQL database with example in Codeigniter 3.

You will find the step by step process to build a simple application having crud functionality in Codeigniter 3 with MySQL Database.

CRUD operation is a common thing in the application of familiarity with basic create, read, update and delete functionality of the Database.

Step 1: Install Codeigniter 3

Codeigniter 3 is one of the most popular PHP Framework and you can easily install it in your system.

You can easily download it from here : Download Codeigniter 3

CodeIgniter is very lightweight framework so it will not take long time to download.

After download successfully, extract it in your working directory where you run your PHP script.

Step 2: Database Configuration

To perform crud operation, We will need to have a database with tables so first I will create a demo database and then create a products table within the database.

Run the following sql query to create a table :

CREATE TABLE 'products' (
 'id' int(11) NOT NULL AUTO_INCREMENT,
 'title' varchar(255) NOT NULL,
 'description' varchar(255) NOT NULL,
 'created_at' datetime NOT NULL,
 'updated_at' datetime NOT NULL,
 PRIMARY KEY ('id')
) ENGINE=InnoDB AUTO_INCREMENT=2 DEFAULT CHARSET=latin1

Now I have a products table on which i will perform the crud functionality.

Ok, let’s configure the database with codeigniter application so open the database.php file and put your database credentials (database name, username and password) there.

You will find the database.php file in following path application/config/database.php.

  1. $active_group=’default’;
  2. $query_builder= TRUE;
  3. $db[‘default’]=array(
  4.     ‘dsn’    =>”,
  5.     ‘hostname’=>’localhost’,
  6.     ‘username’=>’root’,
  7.     ‘password’=>’xxxx’,
  8.     ‘database’=>’demo’,
  9.     ‘dbdriver’=>’mysqli’,
  10.     ‘dbprefix’=>”,
  11.     ‘pconnect’=> FALSE,
  12.     ‘db_debug’=>(ENVIRONMENT !==’production’),
  13.     ‘cache_on’=> FALSE,
  14.     ‘cachedir’=>”,
  15.     ‘char_set’=>’utf8’,
  16.     ‘dbcollat’=>’utf8_general_ci’,
  17.     ‘swap_pre’=>”,
  18.     ‘encrypt’=> FALSE,
  19.     ‘compress’=> FALSE,
  20.     ‘stricton’=> FALSE,
  21.     ‘failover’=>array(),
  22.     ‘save_queries’=> TRUE
  23. );
$active_group = 'default';
$query_builder = TRUE;

$db['default'] = array(
	'dsn'	=> '',
	'hostname' => 'localhost',
	'username' => 'root',
	'password' => 'xxxx',
	'database' => 'demo',
	'dbdriver' => 'mysqli',
	'dbprefix' => '',
	'pconnect' => FALSE,
	'db_debug' => (ENVIRONMENT !== 'production'),
	'cache_on' => FALSE,
	'cachedir' => '',
	'char_set' => 'utf8',
	'dbcollat' => 'utf8_general_ci',
	'swap_pre' => '',
	'encrypt' => FALSE,
	'compress' => FALSE,
	'stricton' => FALSE,
	'failover' => array(),
	'save_queries' => TRUE
);

Step 3: Route

In this step, I will add routes in application/congif/routes.php file to handle the request.

  1. $route[‘default_controller’]=’welcome’;
  2. $route[‘404_override’]=”;
  3. $route[‘translate_uri_dashes’]= FALSE;
  4. $route[‘products’]=”products/index”;
  5. $route[‘productsCreate’][‘post’]=”products/store”;
  6. $route[‘productsEdit/(:any)’]=”products/edit/$1″;
  7. $route[‘productsUpdate/(:any)’][‘put’]=”products/update/$1″;
  8. $route[‘productsDelete/(:any)’][‘delete’]=”products/delete/$1″;
$route['default_controller'] = 'welcome';
$route['404_override'] = '';
$route['translate_uri_dashes'] = FALSE;


$route['products'] = "products/index";
$route['productsCreate']['post'] = "products/store";
$route['productsEdit/(:any)'] = "products/edit/$1";
$route['productsUpdate/(:any)']['put'] = "products/update/$1";
$route['productsDelete/(:any)']['delete'] = "products/delete/$1";

In routes “products/index”, the first segment will be remapped to the controller class and second will be remapped with the method of that controller.

Step 4: Create Controller

In this step, I will create a controller to handle the method for product listing, create, edit, update and delete.

Now I will create a Products.php file in following path application/controllers/.

  1. defined(‘BASEPATH’) OR exit(‘No direct script access allowed’);
  2. class Products extends CI_Controller {
  3. /**
  4. * Get All Data from this method.
  5. *
  6. * @return Response
  7. */
  8. public function__construct(){
  9. //load database in autoload libraries
  10. parent::__construct();
  11. $this->load->model(‘ProductsModel’);
  12. }
  13. public functionindex()
  14. {
  15. $products=new ProductsModel;
  16. $data[‘data’]=$products->get_products();
  17. $this->load->view(‘includes/header’);
  18. $this->load->view(‘products/list’,$data);
  19. $this->load->view(‘includes/footer’);
  20. }
  21. public functioncreate()
  22. {
  23. $this->load->view(‘includes/header’);
  24. $this->load->view(‘products/create’);
  25. $this->load->view(‘includes/footer’);
  26. }
  27. /**
  28. * Store Data from this method.
  29. *
  30. * @return Response
  31. */
  32. public functionstore()
  33. {
  34. $products=new ProductsModel;
  35. $products->insert_product();
  36. redirect(base_url(‘products’));
  37. }
  38. /**
  39. * Edit Data from this method.
  40. *
  41. * @return Response
  42. */
  43. public functionedit($id)
  44. {
  45. $product=$this->db->get_where(‘products’,array(‘id’=>$id))->row();
  46. $this->load->view(‘includes/header’);
  47. $this->load->view(‘products/edit’,array(‘product’=>$product));
  48. $this->load->view(‘includes/footer’);
  49. }
  50. /**
  51. * Update Data from this method.
  52. *
  53. * @return Response
  54. */
  55. public functionupdate($id)
  56. {
  57. $products=new ProductsModel;
  58. $products->update_product($id);
  59. redirect(base_url(‘products’));
  60. }
  61. /**
  62. * Delete Data from this method.
  63. *
  64. * @return Response
  65. */
  66. public functiondelete($id)
  67. {
  68. $this->db->where(‘id’,$id);
  69. $this->db->delete(‘products’);
  70. redirect(base_url(‘products’));
  71. }
  72. }
load->model('ProductsModel');         
   }
   public function index()
   {

       $products=new ProductsModel;
       $data['data']=$products->get_products();
       $this->load->view('includes/header');       
       $this->load->view('products/list',$data);
       $this->load->view('includes/footer');

   }

   public function create()
   {
      $this->load->view('includes/header');
      $this->load->view('products/create');
      $this->load->view('includes/footer');      
   }

   /**
    * Store Data from this method.
    *
    * @return Response
   */
   public function store()
   {
       $products=new ProductsModel;
       $products->insert_product();
       redirect(base_url('products'));
    }

   /**
    * Edit Data from this method.
    *
    * @return Response
   */
   public function edit($id)
   {
       $product = $this->db->get_where('products', array('id' => $id))->row();
       $this->load->view('includes/header');
       $this->load->view('products/edit',array('product'=>$product));
       $this->load->view('includes/footer');   
   }

   /**
    * Update Data from this method.
    *
    * @return Response
   */
   public function update($id)
   {
       $products=new ProductsModel;
       $products->update_product($id);
       redirect(base_url('products'));
   }

   /**
    * Delete Data from this method.
    *
    * @return Response
   */
   public function delete($id)
   {
       $this->db->where('id', $id);
       $this->db->delete('products');
       redirect(base_url('products'));
   }

}

Step 4: Create Model

In this step, I will create a model file to define some common functionality that will interact with the database table.

Create a ProductsModel.php file in following path application/models.

  1. class ProductsModel extends CI_Model{
  2. public functionget_products(){
  3. if(!empty($this->input->get(“search”))){
  4. $this->db->like(‘title’,$this->input->get(“search”));
  5. $this->db->or_like(‘description’,$this->input->get(“search”));
  6. }
  7. $query=$this->db->get(“products”);
  8. return$query->result();
  9. }
  10. public functioninsert_product()
  11. {
  12. $data=array(
  13. ‘title’=>$this->input->post(‘title’),
  14. ‘description’=>$this->input->post(‘description’)
  15. );
  16. return$this->db->insert(‘products’,$data);
  17. }
  18. public functionupdate_product($id)
  19. {
  20.     $data=array(
  21.             ‘title’=>$this->input->post(‘title’),
  22.             ‘description’=>$this->input->post(‘description’)
  23.     );
  24.     if($id==0){
  25.         return$this->db->insert(‘products’,$data);
  26.     }else{
  27.         $this->db->where(‘id’,$id);
  28.         return$this->db->update(‘products’,$data);
  29.     }
  30. }
  31. }
  32. ?>
input->get("search"))){
          $this->db->like('title', $this->input->get("search"));
          $this->db->or_like('description', $this->input->get("search")); 
        }
        $query = $this->db->get("products");
        return $query->result();
    }

    public function insert_product()
    {    
        $data = array(
            'title' => $this->input->post('title'),
            'description' => $this->input->post('description')
        );
        return $this->db->insert('products', $data);
    }

    public function update_product($id) 
    {
    	$data=array(
			'title' => $this->input->post('title'),
			'description'=> $this->input->post('description')
    	);
    	if($id==0){
    		return $this->db->insert('products',$data);
    	}else{
    		$this->db->where('id',$id);
    		return $this->db->update('products',$data);
    	}    	

    }
}

?>

Step 5: Create View File

In this step, I will create different view files that will be use in this crud application :

  • includes/header.php
  • includes/footer.php
  • products/list.php
  • products/create.php
  • products/edit.php

includes/header.php

  1.     Basic Crud operation in Codeigniter 3
  2.     



	Basic Crud operation in Codeigniter 3
	


includes/footer.php

  • products/list.php

    1.     
    2. Products CRUD

    3.     
    4.         Title
    5.         Description
    6. Action
    7.     
    8.     
    9.         title; ?>
    10.         description; ?>
    11. id);?>”>
    12.     
    13.     

    Products CRUD

    Title Description Action
    title; ?> description; ?>

    products/create.php

    1. “>
    2.     
    3.         
    4.             
    5.                 Title
    6.                 
    7.                     
    8.                 
  •             
  •         
  •         
  •             
  •                 Description
  •                 
  •                     
  •                 
  •             
  •         
  •         
  •             
  •         
  •     
  • products/edit.php

    1. id);?>”>
    2.     
    3.         
    4.             
    5.                 Title
    6.                 
    7.                     title; ?>”>
    8.                 
  •             
  •         
  •         
  •             
  •                 Description
  •                 
  •                     description; ?>
  •                 
  •             
  •         
  •         
  •             
  •         
  •     
  • If you will get the error of undefined function base_url() then follow the URL :
    Call to undefined function base_url() in Codeigniter

    Click here to know how to implement CRUD Operation in Laravel PHP Framework :

    Laravel CRUD Example

    Try this code and feel free to give your suggestion.

     

    Label :

     

    PHP

    How To

    MVC

    Web Development

    Codeigniter

    Hope this code and post will helped you for implement PHP Codeigniter 3 – Basic CRUD Operation with MySQL Database with example. if you need any help or any feedback give it in comment section or you have good idea about this post you can give it comment section. Your comment will help us for help you more and improve us. we will give you this type of more interesting post in featured also so, For more interesting post and code Keep reading our blogs

    For More Info See :: laravel And github

    Leave a Comment

    Your email address will not be published. Required fields are marked *

      +  85  =  94

    We're accepting well-written guest posts and this is a great opportunity to collaborate : Contact US