<?php
//Simple object to keep track of an Article
class ArchiveArticle
{
public $timestamp;
public $filename;
public $slug;
public $category;
public $status;
public $pubdate;
public $ranking;
public $newsgate_state;
public $newsgate_story_id;
public $newsgate_budget_id;
public $newsgate_text_id;
public $newsgate_profile;
public $taxonomy;
public $overline;
public $net_title;
public $headline;
public $teasertitle;
public $teasersummary;
public $subhead;
public $summary;
public $byline_name;
public $dateline;
public $paragraphs = array();
public $more_infos = array();
public $shirttail;
public $images = array();
}
$obj = new ArchiveArticle();
$obj->foo = 'bar'; //How can I stop this?
?>
-
1possible duplicate of Is there a way to disable adding properties into a class from an instance of the class?Matteo Tassinari– Matteo Tassinari2013-09-04 19:04:05 +00:00Commented Sep 4, 2013 at 19:04
Add a comment
|
1 Answer
To your class add:
public function __get($name) { return NULL; }
public function __set($name, $value) { }
Explanation: those two methods will intercept any access to a non-existant and/or protected/private property, also preventing its creation if it does not exists.
See also http://php.net/manual/en/language.oop5.magic.php
As per @DCoder suggestion, you could also do:
public function __get($name) {
throw new Exception("Property $name cannot be read");
}
public function __set($name, $value) {
throw new Exception("Property $name cannot be set");
}
2 Comments
Shawn E
Here's an example from stackoverflow on how to throw an exception when this is done. This would be handy when developing code/unit tests where you have typos like this $obj->taxonmy = 'oops. Missing an o';
Matteo Tassinari
@DCoder that's possible too, it depends on how the OP wants this to be handled, I usually choose to fail silently if it is not much important.