Quantcast
Channel: How can I improve my PHP model for my HTML5/JS mobile app? - Code Review Stack Exchange
Viewing all articles
Browse latest Browse all 2

Answer by mseancole for How can I improve my PHP model for my HTML5/JS mobile app?

$
0
0

This is better, still a bit long, but unavoidably so. I might reiterate a few things from my last answer, but it is only because I'm too lazy to read it again to make sure I'm not. Sounds kind of ironic, but I do find it easier to just write it, rather than read it :)

General Overview

First let's have a quick look at your before diving in. I count four model classes, and what appears to be a fifth, which I will ignore for now. Hopefully each class is in its own file and not saved all into one. If not, you might want to strongly consider it. None of those four classes resembles a "true" model. Instead what you have here appear to be three model-controllers. Esentially, that means these are models whose functionality is designed for its controller rather than a controller whose functionality is designed for its model. The reason this is bad is because it leaves room for repetition. A final model should not be broken up into multiple parts, it should be one functional whole. That's not to say that you can't have a base class and extend subclasses to get to that whole, just that you shouldn't need to call three separate models to accomplish the task of what one model can do.

Now, A Little More In Depth

The very first thing I see is a global. Globals are evil. Pretend you never saw them. You will NEVER need them. I repeat NEVER. Especially not in a class. That's what properties are for.

class model {    public $db;//should actually be private or protected    public function __construct() {        $this->db = new MySQLDatabase();    }}

Now every class that extends the model can use the same $db instance, and since it is a public property, you can also use that instance outside of the class once the model has been initialized. If you have an instance created before you initialize the model, and you want to use that one instead, then you should pass that instance to the constructor and set it as your property. The same holds true for regular functions as well: Pass it in, then return the modified version. However, this is not always the best solution. Sometimes, you can extend a class to accomplish the same thing.

//Using an existing instancepublic function __construct( $db ) {    $this->db = $db;}//Extendingclass model extends MySQLDatabase() {    //keep your current properties, they are fine    public function __construct( $query ) {        $this->input = $this->escape( $query );        $this->data[ 'action' ] = isset( $a[ 'action' ] ) ? $a[ 'action' ] : NULL;    }}

Let's look at what we did here. The first thing I did was rename your parameter. Don't use vague names like $a. What is $a? I had to go all the way to the escape() method just to find out. Don't make your readers, or yourself, have to figure out what something is. Be descriptive with your variables/properties/functions/methods. Not too descriptive, but descriptive enough that we can work with what is given. This is called self-documenting code and makes your code much easier to read and debug. Next, I removed that redundant escape(). That method only ever returns a value, therefore declaring it without setting it to some variable or property is pointless. Lastly, I removed that error suppression. Don't use error suppression in your code. It is a sign of bad coding and should be avoided. The only exception might be while debugging, but then it should promptly be removed. What I've demonstrated above is a ternary statement and should fix those warnings you were occasionally getting about "action" being undefined in $a. Its the same as an if/else statement (if == ?, else == :), only shorter. Maybe you've seen it before, maybe not. Either way, be careful using them as they are not always well liked because they can cause issues with legibility if used incorrectly. My rule of thumb is, no nesting, complex, or long ternary; as long as it's short and sweet it's just fine.

Let me just say that this is not the implementation I am suggesting, I am just using this for demonstration. If just scanning the structure of these classes, as I did in the general overview, then the class and method names might look convincingly like a model's, but upon closer examination we find that it is actually a controller class. This would explain why I thought your models resembled model-controllers. And of course, a controller should not extend a model, of which your MySQLDatabase class is. As such, that very first example I showed you is the better choice here. Create a $db property and instantiate it in the constructor. It shouldn't be passed as an already existing instance because one shouldn't exist. It's the controller's job to instantiate the model.

Now that we know that your first four classes are actually controllers, we can better understand how they should work together. I'm going to leave the structure of these classes alone for now, because that will make this answer quite a bit longer, but you should take another look at that as well. Just remember: Models read and manipulate the data; Controllers request those actions to be performed and parse it for the view; Views are templates that hold placeholders that the Controller fills in.

Ignoring MVC

From here on out, I'm going to ignore the MVC pattern and just focus on the actual code, I believe I got most of that anyways. That being said, there is already much here for you to look over, so I'm only going to scan over the rest of this and point out those things that do jump out at me.

In your default_list_groups() method you dissect the $input property before passing it to the list_groups() method. Instead, it would make more sense to pass the entire $input array as a parameter and dissect it in the list_groups() method. This decreases your parameter list and makes your code easier to read. I noticed you use this same method in other methods without all the other $input parameters you used here. In order to compensate you will have to use checks or default values in the list_groups() method to determine if these parameters have been set.

$this->list_groups( $this->input, 'group', 10, 30, 'all' );

Why are all of your methods returning the $data property? Wait until you are ready to render your view and use the render() method to extract that for you. This reduces repetition and ensures there are no "confusing" return values. By the way, I see no render()-like method, so here is an example of what I am talking about, just in case.

public function render( $view ) {    extract( $this->data );    include $view;}

It appears that you only use the $data[ 'msg' ] property to report errors or track status. A better way would be to use an array that way you could track more than one at a time. Right now you overwrite this node with the last value that is processed, which can be pretty confusing if there were an error earlier but you can't see it because the last operation proved successful.

$this->data[ 'msg' ] = array();//etc...$this->data[ 'msg' ] [] = 'There was a small problem, try again soon.';//though this message should be more specific about what happened.

Don't recreate a boolean. That's what you are doing with your $data[ 'success' ] property. If you have a variable that switches between two states (on/off, 0/1, etc...), then use a TRUE/FALSE boolean. The TRUE state is commonly replaced with an actual return product. For example:

return isset( $val ) ? $val : FALSE;

array_push() isn't really used much anymore. The more common way to append data onto an array is to use the following syntax:

$this->data[ 'results' ] [] = $row;

There is no reason to typecast something that is already of the type you are trying to cast it to. Typecasting is for converting a variable's type to something it's not. For example, using that switch example from above, if we typecast 0 to a bool, then we get FALSE. If we typecast 1 to a bool, we get TRUE, which is why its better to explicitly use a boolean rather than have PHP need to convert it for you. Typecasting is useful, but don't use it if you don't have to. Most of the typecasting I see here appears to be unnecessary, but I'm not going to examine each case. Just ask yourself this about each case, "Is this necessary? Is this variable ever set to anything that is not of this type? Why am I typecasting it?" The answer to these questions will help you determine how to proceed.

Try not to use the "not" operator, unless you have to. If you have an if/else pair, then you can switch those statements around. Why not not? Sorry couldn't help myself :) Anyways, maybe this is just a stylistic choice, but it appears to be a commonly accepted one. Also, $b is a little easier to read than !$b, especially if you don't add spaces around the operator.

if( $b !== 0 ) {    //if contents} else {    //else contents}//Is the same asif( $b === 0 ) {    //previous else contents} else {    //previous if contents}

Of course, there is an even better way to do this. Assuming that your if/else statement has default values, you can just set those default values and then if the right condition is passed, the values are updated. For example:

$this->data['msg'] = 'There was a small problem, try again soon.';$this->data['success'] = 0;if ($b !== 0) {    $this->data['success'] = 1;    while ($row = mysql_fetch_array($b, MYSQL_ASSOC)) {        array_push($this->data['results'], $row);    }    $this->data['msg'] = 0;}return $this->data;

Something else that may not be as obvious about the above example is that the return statement is no longer associated with either the if nor the else statements. It has been removed from both. We can do this because the return was the same in both instances, it was just its value that changed. So, if we follow the "Don't Repeat Yourself" (DRY) Principle, then we only need to do this once, at the very end of the method. As the name implies, the DRY principle means that your code shouldn't repeat. So, perhaps even those default values are unnecessary. I am unsure, it depends on how this is implemented. If those values already exist from when the class was first instantiated, or are somehow reset, then there is no reason to restate them. This principle is very important in OOP and can be applied to many things. Of equal importance is the Single Responsibility Principle, which you should also take a look at. Here's another violation of DRY. You have the below loop, in several different locations throughout the code, or one mostly identical to it. If this were a method, it would not need to be retyped each time. And since we are in a class, if the results are the same, you can just set this to a class property and use that property thereafter instead of needing to keep recreating it.

while ($row = mysql_fetch_array($b, MYSQL_ASSOC)) {    array_push($this->data['results'], $row);}

sprintf() is a special case function. If you can accomplish the same thing with just a normal string, you should use the normal string. sprintf() is just too slow to be worth it, not to mention it abstracts a concept that need not be abstracted. For example:

$w = sprintf("user_id =%d AND group_id=%d",$user_id, $group_id);//is the same as$w = "user_id=$user_id AND group_id=$group_id";//easier to read//and the same as$w = 'user_id=' . $user_id . ' AND group_id=' . $group_id;//only slightly easier to read

There is a difference between the && and AND operators and the || and OR operators. The && and || pair have a higher precedence than the AND and OR pair. As such, using the lower precedence pairs could cause unforeseen issues and should be avoided. After five years I have never needed that second set, it is almost always preferable to use the first. When are these preferable? I honestly don't know, you'd have to ask someone a little bit wiser in their inner workings than me. I just know you will get many weird looks and will always be advised to use the others. Additionally, the AND and OR operators should always be capitalized when being using. Please note: This does not include the AND in MySQL, that is always AND and never &&.

if( $b !== 0 AND is_resource( $b ) ) {//should beif( $b !== 0 && is_resource( $b ) ) {

Avoid using die(). It is a very inelegant way of stopping script's execution. A much better way would be to identify the problem, log it, then create a nice error page that lets the user know something went wrong.

die( "Database connection failed: " . mysql_error() );//vslog( mysql_error() );//for youinclude '404.php';//for the user

What is the point of confirm_query()? It would be one thing if this method were reused, but it is only being used by query(). Drop the unnecessary abstraction and just perform the checking inside the original method. Unless you plan on creating a common method, reused by many other methods, that logs errors and reports errors to the end user, which isn't a half bad idea. How it is currently I would not have expected the method to just die if something went wrong. Another good reason not to use die(), but that's not the main concern here.

$result = mysql_query($sql, $this->connection);if( ! $result ) {    //log and report}

Please, always use braces on your statements, even one-liners. It makes your code much easier to read and update. It also ensures that there are no mistakes, because braceless statements can only be one line, it is very easy to forget to add those braces when you go to extend that statement to two lines. If the braces are always there it ensures that no such errors ever occur. Additionally, be consistent in your style. Below you have two statements that use no braces and then an else statement that does.

if(is_array($q))     foreach($q as $k => $v)         $q[$k] = $this->escape($v); //recursiveelse if(is_string($q)) {    $q = mysql_real_escape_string($q);}

When you have a return statement that is essentially a FALSE value, use the actual FALSE value, unless the non-FALSE value is explicitly needed. For instance 1-1 should return a 0, but ! $results should return a FALSE. Or NULL. Personally I prefer FALSE, but that's up to you. A zero would only make sense here if I explicitly wanted the number of results so that I could use it somewhere.

Don't assign two variables at the same time. This makes it rather difficult to visually track down where the second variable came from.

$fields = $values = array();//should be$fields = array();$values = array();

There are reasons why you would sometimes need to explicitly use array_keys() in a foreach loop, but if you need both the key and value, then you should just do the following:

foreach( $data as $key => $value ) {    if( ! in_array($key, $exclude) ) {        $fields[] = "`$key`";        $values[] = "'$value'";    }}

Here are a couple of general comments about some things I found common throughout most of the code. Interior comments only add noise. If you wish to document your code, use PHPDoc comments. A bunch of interior comments can quickly lead to illegibility. Parenthesis are not always necessary. For example, include, require, echo, return and a few others don't require parenthesis. While this is a stylistic choice, many find it preferable because it makes legibility so much better, especially when using parameters that do require parenthesis.

Sorry, I kind of flew over the last half of this review. I'm pretty sure there is more I could help you with, but this is already very large. Hopefully this helps you get started though. I believe I answered each of your questions in my review. If you have anything you'd like clarity on, just let me know.

Edit Per OP Edit

Sorry for the delay. Had a busy weekend.

1) That quote was from the general overview. In it I was explaining how your code looked like a Model if we did not look too closely at it, later I explained these are actually Controllers. I was attempting to show you how easy it is to make that kind of mistake. Please see the step-by-step below for the second part of this question.

3) I explained this in the same paragraph that quote came from. This is also where I explained that your Models were actually Controllers. In that quote I was saying that extending the base MySQLDatabase class was the wrong approach and that you should use the one above that, now also below for reference. The reasoning for this was that the MySQLDatabase class is a Model, and those classes you were calling Models were actually Controllers. Controllers should not extend Models, they should instantiate them when they are instantiated, such as in the constructor.

class model {    public $db;//should actually be private or protected    public function __construct() {        $this->db = new MySQLDatabase();    }}

4) Lets look at the typical Controller real quick: One instance is equal to one View, as such one Controller should correspond to one View. When you have multiple methods whose task is to "render" information to different Views, then you are creating unnecessary overhead. Phones aren't as quick or resourcefull as a regular computer. They need all the help they can get. So if you have methods that each of these controllers are going to need, you can create a parent class and extend it for each of these specific Controllers. So this quote is saying that only ONE method should return the render information. BTW: Your view of MVC appears right, but I don't know if that is just because you are using the right terms for the wrong things, or if you actually understand it. Read over my answer and the step-by-step below to make sure your idea corresponds. I believe the only problem you had was mixing up your Controllers and Models.

5) PDO probably would be the best bet, but isn't the only thing here. Typecasting isn't helpful if the original value wasn't already of a similar type. For instance, typecasting the string "25" to an int is acceptable because it is easily translateable, but typecasting the string "twenty-five" to an int is not because its just a string. We, as people might understand the conversion, but PHP will not. Besides, a better method would be typehinting. Its where you declare a variable's type in the parameter list and if not passed the right type it will throw an error and cancel execution. The only problem with this is that you cannot use scalar types, such as int and string. I wouldn't be too worried about that though, pretty much anything can be converted to a string or int OTF. For those instances where it can't, strval() and intval(), or the typecasting equivalent, are acceptable. However, the variable's type should be confirmed and maintained during sanitization and validation, so typecasting should be unnecessary.

public function test( Array $array ) {//$array must now contain an array, else execution quits

My Step-By-Step To MVC

The following is my step-by-step approach to creating an MVC framework. It serves me well, but it is not the ONLY way. Any way that works for you is the right way. There's no ONE right way to do anything. Take suggestions and test them and expirement, but don't get stuck trying to force yourself to do something one way because that is the only way you were shown. That's like being forced to use your non-dominant hand because your parents don't want a {insert-dominant-hand-here}y. That's what happened to me for a while (not the hand thing, though that did too and now my handwriting is attrocious), and I started despising MVC because of it. Everyone was saying, "start by creating the Model, its the ONLY logical first step". Then one day I sat down and said, "Damnit, there's got to be a better, easier way!" This is the one I found:

  1. Start with the View. Lay it out, and style it however you want. Statically add all of the information and make sure everything looks right.
  2. Extract the dynamic parts from the view and replace them with variables, and maybe some simple if and for/foreach statements.
  3. Create a Controller with a render method containing the variables and an include for the view. Make sure to declare the variables before the include so the View can use them.
  4. Create a Model with the appropriate methods to return each of those values and replace the Controller's variables with calls to those methods. If necessary create methods in the Controller for recursive calls to Model methods and repeat tasks.
  5. Flesh out and tidy up the rest of your Model and Controller. As you add more Controllers that use that Model, the Model may grow, but make sure those methods aren't repeating or similar and can be used in any controller.

There, you are done. There's a little more to it than this, but this scaffolding should get you started. And the best part is that you can test it at any point and it should always work. In fact, you should not notice a difference at all.


Viewing all articles
Browse latest Browse all 2

Trending Articles



<script src="https://jsc.adskeeper.com/r/s/rssing.com.1596347.js" async> </script>