fbpx
Wikipedia

Null object pattern

In object-oriented computer programming, a null object is an object with no referenced value or with defined neutral (null) behavior. The null object design pattern, which describes the uses of such objects and their behavior (or lack thereof), was first published as "Void Value"[1] and later in the Pattern Languages of Program Design book series as "Null Object" .[2][year needed]

Motivation edit

In most object-oriented languages, such as Java or C#, references may be null. These references need to be checked to ensure they are not null before invoking any methods, because methods typically cannot be invoked on null references.

The Objective-C language takes another approach to this problem and does nothing when sending a message to nil; if a return value is expected, nil (for objects), 0 (for numeric values), NO (for BOOL values), or a struct (for struct types) with all its members initialised to null/0/NO/zero-initialised struct is returned.[3]

Description edit

Instead of using a null reference to convey absence of an object (for instance, a non-existent customer), one uses an object which implements the expected interface, but whose method body is empty. A key purpose of using a null object is to avoid conditionals of different kinds, resulting in code that is more focused, quicker to read and follow - i e improved readability. One advantage of this approach over a working default implementation is that a null object is very predictable and has no side effects: it does nothing.

For example, a function may retrieve a list of files in a folder and perform some action on each. In the case of an empty folder, one response may be to throw an exception or return a null reference rather than a list. Thus, the code which expects a list must verify that it in fact has one before continuing, which can complicate the design.

By returning a null object (i.e., an empty list) instead, there is no need to verify that the return value is in fact a list. The calling function may simply iterate the list as normal, effectively doing nothing. It is, however, still possible to check whether the return value is a null object (an empty list) and react differently if desired.

The null object pattern can also be used to act as a stub for testing, if a certain feature such as a database is not available for testing.


Since the child nodes may not exist, one must modify the procedure by adding non-existence or null checks:

function tree_size(node) { set sum = 1 if node.left exists { sum = sum + tree_size(node.left) } if node.right exists { sum = sum + tree_size(node.right) } return sum } 

This, however, makes the procedure more complicated by mixing boundary checks with normal logic, and it becomes harder to read. Using the null object pattern, one can create a special version of the procedure but only for null nodes:

function tree_size(node) { return 1 + tree_size(node.left) + tree_size(node.right) } 
function tree_size(null_node) { return 0 } 

This separates normal logic from special case handling, and makes the code easier to understand.

Relation to other patterns edit

It can be regarded as a special case of the State pattern and the Strategy pattern.

It is not a pattern from Design Patterns, but is mentioned in Martin Fowler's Refactoring[4] and Joshua Kerievsky's Refactoring To Patterns[5] as the Insert Null Object refactoring.

Chapter 17 of Robert Cecil Martin's Agile Software Development: Principles, Patterns and Practices[6] is dedicated to the pattern.

Alternatives edit

From C# 6.0 it is possible to use the "?." operator (aka null-conditional operator), which will simply evaluate to null if its left operand is null.

// compile as Console Application, requires C# 6.0 or higher using System; namespace ConsoleApplication2 {  class Program  {  static void Main(string[] args)  {  string str = "test";   Console.WriteLine(str?.Length);  Console.ReadKey();  }  } } // The output will be: // 4 

Extension methods and Null coalescing edit

In some Microsoft .NET languages, Extension methods can be used to perform what is called 'null coalescing'. This is because extension methods can be called on null values as if it concerns an 'instance method invocation' while in fact extension methods are static. Extension methods can be made to check for null values, thereby freeing code that uses them from ever having to do so. Note that the example below uses the C# Null coalescing operator to guarantee error free invocation, where it could also have used a more mundane if...then...else. The following example only works when you do not care the existence of null, or you treat null and empty string the same. The assumption may not hold in other applications.

// compile as Console Application, requires C# 3.0 or higher using System; using System.Linq; namespace MyExtensionWithExample {  public static class StringExtensions {   public static int SafeGetLength(this string valueOrNull) {   return (valueOrNull ?? string.Empty).Length;   }  }  public static class Program {  // define some strings  static readonly string[] strings = new [] { "Mr X.", "Katrien Duck", null, "Q" };  // write the total length of all the strings in the array  public static void Main(string[] args) {  var query = from text in strings select text.SafeGetLength(); // no need to do any checks here  Console.WriteLine(query.Sum());  }  } } // The output will be: // 18 

In various languages edit

C++ edit

A language with statically typed references to objects illustrates how the null object becomes a more complicated pattern:

#include <iostream> class Animal {  public:  virtual ~Animal() = default;  virtual void MakeSound() const = 0; }; class Dog : public Animal {  public:  virtual void MakeSound() const override { std::cout << "woof!" << std::endl; } }; class NullAnimal : public Animal {  public:  virtual void MakeSound() const override {} }; 

Here, the idea is that there are situations where a pointer or reference to an Animal object is required, but there is no appropriate object available. A null reference is impossible in standard-conforming C++. A null Animal* pointer is possible, and could be useful as a place-holder, but may not be used for direct dispatch: a->MakeSound() is undefined behavior if a is a null pointer.

The null object pattern solves this problem by providing a special NullAnimal class which can be instantiated bound to an Animal pointer or reference.

The special null class must be created for each class hierarchy that is to have a null object, since a NullAnimal is of no use when what is needed is a null object with regard to some Widget base class that is not related to the Animal hierarchy.

Note that NOT having a null class at all is an important feature, in contrast to languages where "anything is a reference" (e.g., Java and C#). In C++, the design of a function or method may explicitly state whether null is allowed or not.

// Function which requires an |Animal| instance, and will not accept null. void DoSomething(const Animal& animal) {  // |animal| may never be null here. } // Function which may accept an |Animal| instance or null. void DoSomething(const Animal* animal) {  // |animal| may be null. } 

C# edit

C# is a language in which the null object pattern can be properly implemented. This example shows animal objects that display sounds and a NullAnimal instance used in place of the C# null keyword. The null object provides consistent behaviour and prevents a runtime null reference exception that would occur if the C# null keyword were used instead.

/* Null object pattern implementation:  */ using System; // Animal interface is the key to compatibility for Animal implementations below. interface IAnimal {  void MakeSound(); } // Animal is the base case. abstract class Animal : IAnimal {  // A shared instance that can be used for comparisons  public static readonly IAnimal Null = new NullAnimal();    // The Null Case: this NullAnimal class should be used in place of C# null keyword.  private class NullAnimal : Animal  {  public override void MakeSound()  {  // Purposefully provides no behaviour.  }  }  public abstract void MakeSound(); } // Dog is a real animal. class Dog : Animal {  public override void MakeSound()  {  Console.WriteLine("Woof!");  } } /* =========================  * Simplistic usage example in a Main entry point.  */ static class Program {  static void Main()  {  IAnimal dog = new Dog();  dog.MakeSound(); // outputs "Woof!"  /* Instead of using C# null, use the Animal.Null instance.  * This example is simplistic but conveys the idea that if the Animal.Null instance is used then the program  * will never experience a .NET System.NullReferenceException at runtime, unlike if C# null were used.  */  IAnimal unknown = Animal.Null; //<< replaces: IAnimal unknown = null;  unknown.MakeSound(); // outputs nothing, but does not throw a runtime exception   } } 

Smalltalk edit

Following the Smalltalk principle, everything is an object, the absence of an object is itself modeled by an object, called nil. In the GNU Smalltalk for example, the class of nil is UndefinedObject, a direct descendant of Object.

Any operation that fails to return a sensible object for its purpose may return nil instead, thus avoiding the special case of returning "no object" unsupported by Smalltalk designers. This method has the advantage of simplicity (no need for a special case) over the classical "null" or "no object" or "null reference" approach. Especially useful messages to be used with nil are isNil, ifNil: or ifNotNil:,, which make it practical and safe to deal with possible references to nil in Smalltalk programs.

Common Lisp edit

In Lisp, functions can gracefully accept the special object nil, which reduces the amount of special case testing in application code. For instance, although nil is an atom and does not have any fields, the functions car and cdr accept nil and just return it, which is very useful and results in shorter code.

Since nil is the empty list in Lisp, the situation described in the introduction above doesn't exist. Code which returns nil is returning what is in fact the empty list (and not anything resembling a null reference to a list type), so the caller does not need to test the value to see whether or not it has a list.

The null object pattern is also supported in multiple value processing. If the program attempts to extract a value from an expression which returns no values, the behavior is that the null object nil is substituted. Thus (list (values)) returns (nil) (a one-element list containing nil). The (values) expression returns no values at all, but since the function call to list needs to reduce its argument expression to a value, the null object is automatically substituted.

CLOS edit

In Common Lisp, the object nil is the one and only instance of the special class null. What this means is that a method can be specialized to the null class, thereby implementing the null design pattern. Which is to say, it is essentially built into the object system:

;; empty dog class (defclass dog () ()) ;; a dog object makes a sound by barking: woof! is printed on standard output ;; when (make-sound x) is called, if x is an instance of the dog class. (defmethod make-sound ((obj dog))  (format t "woof!~%")) ;; allow (make-sound nil) to work via specialization to null class. ;; innocuous empty body: nil makes no sound. (defmethod make-sound ((obj null))) 

The class null is a subclass of the symbol class, because nil is a symbol. Since nil also represents the empty list, null is a subclass of the list class, too. Methods parameters specialized to symbol or list will thus take a nil argument. Of course, a null specialization can still be defined which is a more specific match for nil.

Scheme edit

Unlike Common Lisp, and many dialects of Lisp, the Scheme dialect does not have a nil value which works this way; the functions car and cdr may not be applied to an empty list; Scheme application code therefore has to use the empty? or pair? predicate functions to sidestep this situation, even in situations where very similar Lisp would not need to distinguish the empty and non-empty cases thanks to the behavior of nil.

Ruby edit

In duck-typed languages like Ruby, language inheritance is not necessary to provide expected behavior.

class Dog  def sound  "bark"  end end   class NilAnimal  def sound(*); end end def get_animal(animal=NilAnimal.new)  animal end get_animal(Dog.new).sound  => "bark" get_animal.sound  => nil 

Attempts to directly monkey-patch NilClass instead of providing explicit implementations give more unexpected side effects than benefits.

JavaScript edit

In duck-typed languages like JavaScript, language inheritance is not necessary to provide expected behavior.

class Dog {  sound() {  return 'bark';  } } class NullAnimal {  sound() {  return null;  } } function getAnimal(type) {  return type === 'dog' ? new Dog() : new NullAnimal(); } ['dog', null].map((animal) => getAnimal(animal).sound()); // Returns ["bark", null] 

Java edit

public interface Animal {  void makeSound(); } public class Dog implements Animal {  public void makeSound() {  System.out.println("woof!");  } } public class NullAnimal implements Animal {  public void makeSound() {  // silence...  } } 

This code illustrates a variation of the C++ example, above, using the Java language. As with C++, a null class can be instantiated in situations where a reference to an Animal object is required, but there is no appropriate object available. A null Animal object is possible (Animal myAnimal = null;) and could be useful as a place-holder, but may not be used for calling a method. In this example, myAnimal.makeSound(); will throw a NullPointerException. Therefore, additional code may be necessary to test for null objects.

The null object pattern solves this problem by providing a special NullAnimal class which can be instantiated as an object of type Animal. As with C++ and related languages, that special null class must be created for each class hierarchy that needs a null object, since a NullAnimal is of no use when what is needed is a null object that does not implement the Animal interface.

PHP edit

interface Animal { public function makeSound(); } class Dog implements Animal { public function makeSound() { echo "Woof...\n"; } } class Cat implements Animal { public function makeSound() { echo "Meowww...\n"; } } class NullAnimal implements Animal { public function makeSound() { // silence... } } $animalType = 'elephant'; function makeAnimalFromAnimalType(string $animalType): Animal { switch ($animalType) { case 'dog': return new Dog(); case 'cat': return new Cat(); default: return new NullAnimal(); } } makeAnimalFromAnimalType($animalType)->makeSound(); // ..the null animal makes no sound function animalMakeSound(Animal $animal): void { $animal->makeSound(); } foreach ([ makeAnimalFromAnimalType('dog'), makeAnimalFromAnimalType('NullAnimal'), makeAnimalFromAnimalType('cat'), ] as $animal) { // That's also reduce null handling code animalMakeSound($animal); } 

Visual Basic .NET edit

The following null object pattern implementation demonstrates the concrete class providing its corresponding null object in a static field Empty. This approach is frequently used in the .NET Framework (String.Empty, EventArgs.Empty, Guid.Empty, etc.).

Public Class Animal  Public Shared ReadOnly Empty As Animal = New AnimalEmpty()  Public Overridable Sub MakeSound()  Console.WriteLine("Woof!")  End Sub End Class Friend NotInheritable Class AnimalEmpty  Inherits Animal  Public Overrides Sub MakeSound()  '   End Sub End Class 

Criticism edit

This pattern should be used carefully as it can make errors/bugs appear as normal program execution.[7]

Care should be taken not to implement this pattern just to avoid null checks and make code more readable, since the harder-to-read code may just move to another place and be less standard—such as when different logic must execute in case the object provided is indeed the null object. The common pattern in most languages with reference types is to compare a reference to a single value referred to as null or nil. Also, there is additional need for testing that no code anywhere ever assigns null instead of the null object, because in most cases and languages with static typing, this is not a compiler error if the null object is of a reference type, although it would certainly lead to errors at run time in parts of the code where the pattern was used to avoid null checks. On top of that, in most languages and assuming there can be many null objects (i.e., the null object is a reference type but doesn't implement the singleton pattern in one or another way), checking for the null object instead of for the null or nil value introduces overhead, as does the singleton pattern likely itself upon obtaining the singleton reference.

See also edit

References edit

  1. ^ Kühne, Thomas (1996). "Void Value". Proceedings of the First International Conference on Object-Oriented Technology, White Object-Oriented Nights 1996 (WOON'96), St. Petersburg, Russia.
  2. ^ Woolf, Bobby (1998). "Null Object". In Martin, Robert; Riehle, Dirk; Buschmann, Frank (eds.). Pattern Languages of Program Design 3. Addison-Wesley.
  3. ^ "Working with Objects (Working with nil)". iOS Developer Library. Apple, Inc. 2012-12-13. Retrieved 2014-05-19.
  4. ^ Fowler, Martin (1999). Refactoring. Improving the Design of Existing Code. Addison-Wesley. ISBN 0-201-48567-2.
  5. ^ Kerievsky, Joshua (2004). Refactoring To Patterns. Addison-Wesley. ISBN 0-321-21335-1.
  6. ^ Martin, Robert (2002). Agile Software Development: Principles, Patterns and Practices. Pearson Education. ISBN 0-13-597444-5.
  7. ^ Fowler, Martin (1999). Refactoring pp. 216

External links edit

  • Jeffery Walker's account of the Null Object Pattern
  • Martin Fowler's description of Special Case, a slightly more general pattern
  • Null Object Pattern Revisited
  • Introduce Null Object refactoring
  • SourceMaking Tutorial
  • Null Object Pattern in Swift

null, object, pattern, null, object, redirects, here, concept, category, theory, initial, object, object, oriented, computer, programming, null, object, object, with, referenced, value, with, defined, neutral, null, behavior, null, object, design, pattern, whi. Null object redirects here For the concept in category theory see Initial object In object oriented computer programming a null object is an object with no referenced value or with defined neutral null behavior The null object design pattern which describes the uses of such objects and their behavior or lack thereof was first published as Void Value 1 and later in the Pattern Languages of Program Design book series as Null Object 2 year needed Contents 1 Motivation 2 Description 3 Relation to other patterns 4 Alternatives 4 1 Extension methods and Null coalescing 5 In various languages 5 1 C 5 2 C 5 3 Smalltalk 5 4 Common Lisp 5 5 CLOS 5 6 Scheme 5 7 Ruby 5 8 JavaScript 5 9 Java 5 10 PHP 5 11 Visual Basic NET 6 Criticism 7 See also 8 References 9 External linksMotivation editIn most object oriented languages such as Java or C references may be null These references need to be checked to ensure they are not null before invoking any methods because methods typically cannot be invoked on null references The Objective C language takes another approach to this problem and does nothing when sending a message to nil if a return value is expected nil for objects 0 for numeric values NO for BOOL values or a struct for struct types with all its members initialised to null 0 NO zero initialised struct is returned 3 Description editThis section does not cite any sources Please help improve this section by adding citations to reliable sources Unsourced material may be challenged and removed June 2023 Learn how and when to remove this template message Instead of using a null reference to convey absence of an object for instance a non existent customer one uses an object which implements the expected interface but whose method body is empty A key purpose of using a null object is to avoid conditionals of different kinds resulting in code that is more focused quicker to read and follow i e improved readability One advantage of this approach over a working default implementation is that a null object is very predictable and has no side effects it does nothing For example a function may retrieve a list of files in a folder and perform some action on each In the case of an empty folder one response may be to throw an exception or return a null reference rather than a list Thus the code which expects a list must verify that it in fact has one before continuing which can complicate the design By returning a null object i e an empty list instead there is no need to verify that the return value is in fact a list The calling function may simply iterate the list as normal effectively doing nothing It is however still possible to check whether the return value is a null object an empty list and react differently if desired The null object pattern can also be used to act as a stub for testing if a certain feature such as a database is not available for testing Since the child nodes may not exist one must modify the procedure by adding non existence or null checks function tree size node set sum 1 if node left exists sum sum tree size node left if node right exists sum sum tree size node right return sum This however makes the procedure more complicated by mixing boundary checks with normal logic and it becomes harder to read Using the null object pattern one can create a special version of the procedure but only for null nodes function tree size node return 1 tree size node left tree size node right function tree size null node return 0 This separates normal logic from special case handling and makes the code easier to understand Relation to other patterns editIt can be regarded as a special case of the State pattern and the Strategy pattern It is not a pattern from Design Patterns but is mentioned in Martin Fowler s Refactoring 4 and Joshua Kerievsky s Refactoring To Patterns 5 as the Insert Null Object refactoring Chapter 17 of Robert Cecil Martin s Agile Software Development Principles Patterns and Practices 6 is dedicated to the pattern Alternatives editFrom C 6 0 it is possible to use the operator aka null conditional operator which will simply evaluate to null if its left operand is null compile as Console Application requires C 6 0 or higher using System namespace ConsoleApplication2 class Program static void Main string args string str test Console WriteLine str Length Console ReadKey The output will be 4 Extension methods and Null coalescing edit This section does not cite any sources Please help improve this section by adding citations to reliable sources Unsourced material may be challenged and removed June 2023 Learn how and when to remove this template message In some Microsoft NET languages Extension methods can be used to perform what is called null coalescing This is because extension methods can be called on null values as if it concerns an instance method invocation while in fact extension methods are static Extension methods can be made to check for null values thereby freeing code that uses them from ever having to do so Note that the example below uses the C Null coalescing operator to guarantee error free invocation where it could also have used a more mundane if then else The following example only works when you do not care the existence of null or you treat null and empty string the same The assumption may not hold in other applications compile as Console Application requires C 3 0 or higher using System using System Linq namespace MyExtensionWithExample public static class StringExtensions public static int SafeGetLength this string valueOrNull return valueOrNull string Empty Length public static class Program define some strings static readonly string strings new Mr X Katrien Duck null Q write the total length of all the strings in the array public static void Main string args var query from text in strings select text SafeGetLength no need to do any checks here Console WriteLine query Sum The output will be 18In various languages editThis section does not cite any sources Please help improve this section by adding citations to reliable sources Unsourced material may be challenged and removed June 2013 Learn how and when to remove this template message This article possibly contains original research Please improve it by verifying the claims made and adding inline citations Statements consisting only of original research should be removed June 2013 Learn how and when to remove this template message C edit A language with statically typed references to objects illustrates how the null object becomes a more complicated pattern include lt iostream gt class Animal public virtual Animal default virtual void MakeSound const 0 class Dog public Animal public virtual void MakeSound const override std cout lt lt woof lt lt std endl class NullAnimal public Animal public virtual void MakeSound const override Here the idea is that there are situations where a pointer or reference to an Animal object is required but there is no appropriate object available A null reference is impossible in standard conforming C A null Animal pointer is possible and could be useful as a place holder but may not be used for direct dispatch a gt MakeSound is undefined behavior if a is a null pointer The null object pattern solves this problem by providing a special NullAnimal class which can be instantiated bound to an Animal pointer or reference The special null class must be created for each class hierarchy that is to have a null object since a NullAnimal is of no use when what is needed is a null object with regard to some Widget base class that is not related to the Animal hierarchy Note that NOT having a null class at all is an important feature in contrast to languages where anything is a reference e g Java and C In C the design of a function or method may explicitly state whether null is allowed or not Function which requires an Animal instance and will not accept null void DoSomething const Animal amp animal animal may never be null here Function which may accept an Animal instance or null void DoSomething const Animal animal animal may be null C edit C is a language in which the null object pattern can be properly implemented This example shows animal objects that display sounds and a NullAnimal instance used in place of the C null keyword The null object provides consistent behaviour and prevents a runtime null reference exception that would occur if the C null keyword were used instead Null object pattern implementation using System Animal interface is the key to compatibility for Animal implementations below interface IAnimal void MakeSound Animal is the base case abstract class Animal IAnimal A shared instance that can be used for comparisons public static readonly IAnimal Null new NullAnimal The Null Case this NullAnimal class should be used in place of C null keyword private class NullAnimal Animal public override void MakeSound Purposefully provides no behaviour public abstract void MakeSound Dog is a real animal class Dog Animal public override void MakeSound Console WriteLine Woof Simplistic usage example in a Main entry point static class Program static void Main IAnimal dog new Dog dog MakeSound outputs Woof Instead of using C null use the Animal Null instance This example is simplistic but conveys the idea that if the Animal Null instance is used then the program will never experience a NET System NullReferenceException at runtime unlike if C null were used IAnimal unknown Animal Null lt lt replaces IAnimal unknown null unknown MakeSound outputs nothing but does not throw a runtime exception Smalltalk edit Following the Smalltalk principle everything is an object the absence of an object is itself modeled by an object called nil In the GNU Smalltalk for example the class of nil is UndefinedObject a direct descendant of Object Any operation that fails to return a sensible object for its purpose may return nil instead thus avoiding the special case of returning no object unsupported by Smalltalk designers This method has the advantage of simplicity no need for a special case over the classical null or no object or null reference approach Especially useful messages to be used with nil are isNil ifNil or ifNotNil which make it practical and safe to deal with possible references to nil in Smalltalk programs Common Lisp edit In Lisp functions can gracefully accept the special object nil which reduces the amount of special case testing in application code For instance although nil is an atom and does not have any fields the functions car and cdr accept nil and just return it which is very useful and results in shorter code Since nil is the empty list in Lisp the situation described in the introduction above doesn t exist Code which returns nil is returning what is in fact the empty list and not anything resembling a null reference to a list type so the caller does not need to test the value to see whether or not it has a list The null object pattern is also supported in multiple value processing If the program attempts to extract a value from an expression which returns no values the behavior is that the null object nil is substituted Thus list values returns nil a one element list containing nil The values expression returns no values at all but since the function call to list needs to reduce its argument expression to a value the null object is automatically substituted CLOS edit In Common Lisp the object nil is the one and only instance of the special class null What this means is that a method can be specialized to the null class thereby implementing the null design pattern Which is to say it is essentially built into the object system empty dog class defclass dog a dog object makes a sound by barking woof is printed on standard output when make sound x is called if x is an instance of the dog class defmethod make sound obj dog format t woof allow make sound nil to work via specialization to null class innocuous empty body nil makes no sound defmethod make sound obj null The class null is a subclass of the symbol class because nil is a symbol Since nil also represents the empty list null is a subclass of the list class too Methods parameters specialized to symbol or list will thus take a nil argument Of course a null specialization can still be defined which is a more specific match for nil Scheme edit Unlike Common Lisp and many dialects of Lisp the Scheme dialect does not have a nil value which works this way the functions car and cdr may not be applied to an empty list Scheme application code therefore has to use the empty or pair predicate functions to sidestep this situation even in situations where very similar Lisp would not need to distinguish the empty and non empty cases thanks to the behavior of nil Ruby edit In duck typed languages like Ruby language inheritance is not necessary to provide expected behavior class Dog def sound bark end end class NilAnimal def sound end end def get animal animal NilAnimal new animal end get animal Dog new sound gt bark get animal sound gt nil Attempts to directly monkey patch NilClass instead of providing explicit implementations give more unexpected side effects than benefits JavaScript edit In duck typed languages like JavaScript language inheritance is not necessary to provide expected behavior class Dog sound return bark class NullAnimal sound return null function getAnimal type return type dog new Dog new NullAnimal dog null map animal gt getAnimal animal sound Returns bark null Java edit public interface Animal void makeSound public class Dog implements Animal public void makeSound System out println woof public class NullAnimal implements Animal public void makeSound silence This code illustrates a variation of the C example above using the Java language As with C a null class can be instantiated in situations where a reference to an Animal object is required but there is no appropriate object available A null Animal object is possible Animal myAnimal null and could be useful as a place holder but may not be used for calling a method In this example myAnimal makeSound will throw a NullPointerException Therefore additional code may be necessary to test for null objects The null object pattern solves this problem by providing a special NullAnimal class which can be instantiated as an object of type Animal As with C and related languages that special null class must be created for each class hierarchy that needs a null object since a NullAnimal is of no use when what is needed is a null object that does not implement the Animal interface PHP edit interface Animal public function makeSound class Dog implements Animal public function makeSound echo Woof n class Cat implements Animal public function makeSound echo Meowww n class NullAnimal implements Animal public function makeSound silence animalType elephant function makeAnimalFromAnimalType string animalType Animal switch animalType case dog return new Dog case cat return new Cat default return new NullAnimal makeAnimalFromAnimalType animalType gt makeSound the null animal makes no sound function animalMakeSound Animal animal void animal gt makeSound foreach makeAnimalFromAnimalType dog makeAnimalFromAnimalType NullAnimal makeAnimalFromAnimalType cat as animal That s also reduce null handling code animalMakeSound animal Visual Basic NET edit The following null object pattern implementation demonstrates the concrete class providing its corresponding null object in a static field Empty This approach is frequently used in the NET Framework String Empty EventArgs Empty Guid Empty etc Public Class Animal Public Shared ReadOnly Empty As Animal New AnimalEmpty Public Overridable Sub MakeSound Console WriteLine Woof End Sub End Class Friend NotInheritable Class AnimalEmpty Inherits Animal Public Overrides Sub MakeSound End Sub End ClassCriticism editThis pattern should be used carefully as it can make errors bugs appear as normal program execution 7 Care should be taken not to implement this pattern just to avoid null checks and make code more readable since the harder to read code may just move to another place and be less standard such as when different logic must execute in case the object provided is indeed the null object The common pattern in most languages with reference types is to compare a reference to a single value referred to as null or nil Also there is additional need for testing that no code anywhere ever assigns null instead of the null object because in most cases and languages with static typing this is not a compiler error if the null object is of a reference type although it would certainly lead to errors at run time in parts of the code where the pattern was used to avoid null checks On top of that in most languages and assuming there can be many null objects i e the null object is a reference type but doesn t implement the singleton pattern in one or another way checking for the null object instead of for the null or nil value introduces overhead as does the singleton pattern likely itself upon obtaining the singleton reference See also editNullable type Option typeReferences edit Kuhne Thomas 1996 Void Value Proceedings of the First International Conference on Object Oriented Technology White Object Oriented Nights 1996 WOON 96 St Petersburg Russia Woolf Bobby 1998 Null Object In Martin Robert Riehle Dirk Buschmann Frank eds Pattern Languages of Program Design 3 Addison Wesley Working with Objects Working with nil iOS Developer Library Apple Inc 2012 12 13 Retrieved 2014 05 19 Fowler Martin 1999 Refactoring Improving the Design of Existing Code Addison Wesley ISBN 0 201 48567 2 Kerievsky Joshua 2004 Refactoring To Patterns Addison Wesley ISBN 0 321 21335 1 Martin Robert 2002 Agile Software Development Principles Patterns and Practices Pearson Education ISBN 0 13 597444 5 Fowler Martin 1999 Refactoring pp 216External links editJeffery Walker s account of the Null Object Pattern Martin Fowler s description of Special Case a slightly more general pattern Null Object Pattern Revisited Introduce Null Object refactoring SourceMaking Tutorial Null Object Pattern in Swift Retrieved from https en wikipedia org w index php title Null object pattern amp oldid 1176411844, wikipedia, wiki, book, books, library,

article

, read, download, free, free download, mp3, video, mp4, 3gp, jpg, jpeg, gif, png, picture, music, song, movie, book, game, games.