Ci sono alcune cose che potrebbero essere chiarite:
- Un
model
è un'entità che persiste nel database. Nel tuo caso:Abbonamento - Un
controller
è incaricato di caricare il modello e passarlo alla vista da mostrare - Una
view
solo dovrebbe avere markup html, nessuna funzione, nessuna logica.
Banca dati
Supponendo che il tuo database abbia la struttura seguente.
+---------------+-----------+------------+--------------------+
| id_membership | username | name | email |
+---------------+-----------+------------+--------------------+
| 1 | Marishka | marishkapv | [email protected] |
| 2 | johndoe | John | [email protected] |
| 3 | dennisv | Dennis | [email protected] |
+---------------+-----------+------------+--------------------+
Modello
Puoi creare il tuo modello class Membership extends CI_Model
su /application/models/membership.php
file.
class Membership extends CI_Model {
function __construct()
{
parent::__construct();
}
function member_here()
{
$this->db->select('');
$this->db->from('membership');
$this->db->where('username',$this->input->post('username'));
$q = $this->db->get('');
if($q->num_rows() > 0)
{
$data = array();
foreach($q->result() as $row)
{
$data=$row;
}
return $data;
}
}
}
Titolare
Supponendo che tu abbia una pagina di accesso su example.com/index.php/login
, dovrebbe risiedere in /application/controllers/login.php
come di seguito:
class Login extends CI_Controller
{
function __construct()
{
parent::__construct();
}
public function index()
{
$this->load->view('login_view');
}
public function result()
{
$this->load->model('membership');
$data['member'] = $this->membership->member_here();
$this->load->view('result_view', $data);
}
}
Sembra che i modelli siano caricati genera queste due righe:
//Load the model in make use of its functions
$this->load->model('membership');
//load the row whit the given username
//the result is assigned to array with the key "member", in the view you access this
//value with $member var
$data['member'] = $this->membership->member_here();
Viste
Come hai notato nel codice del controller, ci sono due file di visualizzazione, login_view
e result_view
. Il primo mostrerà un modulo html in cui puoi inserire il nome utente per attivare una query di selezione. La result_view
mostra le informazioni del membro in base all'appartenenza selezionata
login_view.php
<html>
<head></head>
<body>
<form action="login/result" method="post">
Type your username: <input type="text" name="username" />
<input type="submit" value="Load from database" />
</form>
</body>
</html>
result_view.php
<h4>Details:</h4>
<p>
Id: <?=$member->id_membership?> <br />
Username: <?=$member->username?> <br />
Email: <?=$member->email?>
</p>