Mixin

Last updated

In object-oriented programming languages, a mixin (or mix-in) [1] [2] [3] [4] is a class that contains methods for use by other classes without having to be the parent class of those other classes. How those other classes gain access to the mixin's methods depends on the language. Mixins are sometimes described as being "included" rather than "inherited".

Contents

Mixins encourage code reuse and can be used to avoid the inheritance ambiguity that multiple inheritance can cause [5] (the "diamond problem"), or to work around lack of support for multiple inheritance in a language. A mixin can also be viewed as an interface with implemented methods. This pattern is an example of enforcing the dependency inversion principle.

History

Mixins first appeared in Symbolics's object-oriented Flavors system (developed by Howard Cannon), which was an approach to object-orientation used in Lisp Machine Lisp. The name was inspired by Steve's Ice Cream Parlor in Somerville, Massachusetts: [1] The owner of the ice cream shop offered a basic flavor of ice cream (vanilla, chocolate, etc.) and blended in a combination of extra items (nuts, cookies, fudge, etc.) and called the item a "mix-in", his own trademarked term at the time. [2]

Definition

Mixins are a language concept that allows a programmer to inject some code into a class. Mixin programming is a style of software development, in which units of functionality are created in a class and then mixed in with other classes. [6]

A mixin class acts as the parent class, containing the desired functionality. A subclass can then inherit or simply reuse this functionality, but not as a means of specialization. Typically, the mixin will export the desired functionality to a child class, without creating a rigid, single "is a" relationship. Here lies the important difference between the concepts of mixins and inheritance, in that the child class can still inherit all the features of the parent class, but, the semantics about the child "being a kind of" the parent need not be necessarily applied.

Advantages

  1. It provides a mechanism for multiple inheritance by allowing one class to use common functionality from multiple classes, but without the complex semantics of multiple inheritance. [7]
  2. Code reusability: Mixins are useful when a programmer wants to share functionality between different classes. Instead of repeating the same code over and over again, the common functionality can simply be grouped into a mixin and then included into each class that requires it. [8]
  3. Mixins allow inheritance and use of only the desired features from the parent class, not necessarily all of the features from the parent class. [9]

Implementations

In Simula, classes are defined in a block in which attributes, methods and class initialization are all defined together; thus all the methods that can be invoked on a class are defined together, and the definition of the class is complete.

In Flavors, a mixin is a class from which another class can inherit slot definitions and methods. The mixin usually does not have direct instances. Since a Flavor can inherit from more than one other Flavor, it can inherit from one or more mixins. Note that the original Flavors did not use generic functions.

In New Flavors (a successor of Flavors) and CLOS, methods are organized in "generic functions". These generic functions are functions that are defined in multiple cases (methods) by class dispatch and method combinations.

CLOS and Flavors allow mixin methods to add behavior to existing methods: :before and :after daemons, whoppers and wrappers in Flavors. CLOS added :around methods and the ability to call shadowed methods via CALL-NEXT-METHOD. So, for example, a stream-lock-mixin can add locking around existing methods of a stream class. In Flavors one would write a wrapper or a whopper and in CLOS one would use an :around method. Both CLOS and Flavors allow the computed reuse via method combinations. :before, :after and :around methods are a feature of the standard method combination. Other method combinations are provided.

An example is the + method combination, where the resulting values of each of the applicable methods of a generic function are arithmetically added to compute the return value. This is used, for example, with the border-mixin for graphical objects. A graphical object may have a generic width function. The border-mixin would add a border around an object and has a method computing its width. A new class bordered-button (that is both a graphical object and uses the border mixin) would compute its width by calling all applicable width methods—via the + method combination. All return values are added and create the combined width of the object.

In an OOPSLA 90 paper, [10] Gilad Bracha and William Cook reinterpret different inheritance mechanisms found in Smalltalk, Beta and CLOS as special forms of a mixin inheritance.

Programming languages that use mixins

Other than Flavors and CLOS (a part of Common Lisp), some languages that use mixins are:

Some languages do not support mixins on the language level, but can easily mimic them by copying methods from one object to another at runtime, thereby "borrowing" the mixin's methods. This is also possible with statically typed languages, but it requires constructing a new object with the extended set of methods.

Other languages that do not support mixins can support them in a round-about way via other language constructs. For example, Visual Basic .NET and C# support the addition of extension methods on interfaces, meaning any class implementing an interface with extension methods defined will have the extension methods available as pseudo-members.

Examples

In Common Lisp

Common Lisp provides mixins in CLOS (Common Lisp Object System) similar to Flavors.

object-width is a generic function with one argument that uses the + method combination. This combination determines that all applicable methods for a generic function will be called and the results will be added.

(defgenericobject-width(object)(:method-combination+))

button is a class with one slot for the button text.

(defclassbutton()((text:initform"click me")))

There is a method for objects of class button that computes the width based on the length of the button text. + is the method qualifier for the method combination of the same name.

(defmethodobject-width+((objectbutton))(*10(length(slot-valueobject'text))))

A border-mixin class. The naming is just a convention. There are no superclasses, and no slots.

(defclassborder-mixin()())

There is a method computing the width of the border. Here it is just 4.

(defmethodobject-width+((objectborder-mixin))4)

bordered-button is a class inheriting from both border-mixin and button.

(defclassbordered-button(border-mixinbutton)())

We can now compute the width of a button. Calling object-width computes 80. The result is the result of the single applicable method: the method object-width for the class button.

?(object-width(make-instance'button))80

We can also compute the width of a bordered-button. Calling object-width computes 84. The result is the sum of the results of the two applicable methods: the method object-width for the class button and the method object-width for the class border-mixin.

?(object-width(make-instance'bordered-button))84

In Python

In Python, an example of the mixin concept is found in the SocketServer module, [17] which has both a UDPServer class and a TCPServer class. They act as servers for UDP and TCP socket servers, respectively. Additionally, there are two mixin classes: ForkingMixIn and ThreadingMixIn. Normally, all new connections are handled within the same process. By extending TCPServer with the ThreadingMixIn as follows:

classThreadingTCPServer(ThreadingMixIn,TCPServer):pass

the ThreadingMixIn class adds functionality to the TCP server such that each new connection creates a new thread. Using the same method, a ThreadingUDPServer can be created without having to duplicate the code in ThreadingMixIn. Alternatively, using the ForkingMixIn would cause the process to be forked for each new connection. Clearly, the functionality to create a new thread or fork a process is not terribly useful as a stand-alone class.

In this usage example, the mixins provide alternative underlying functionality without affecting the functionality as a socket server.

In Ruby

Most of the Ruby world is based around mixins via Modules. The concept of mixins is implemented in Ruby by the keyword include to which we pass the name of the module as parameter.

Example:

classStudentincludeComparable# The class Student inherits the Comparable module using the 'include' keywordattr_accessor:name,:scoredefinitialize(name,score)@name=name@score=scoreend# Including the Comparable module requires the implementing class to define the <=> comparison operator# Here's the comparison operator. We compare 2 student instances based on their scores.def<=>(other)@score<=>other.scoreend# Here's the good bit - I get access to <, <=, >,>= and other methods of the Comparable Interface for free.ends1=Student.new("Peter",100)s2=Student.new("Jason",90)s1>s2#trues1<=s2#false

In JavaScript

The Object-Literal and extend Approach

It is technically possible to add behavior to an object by binding functions to keys in the object. However, this lack of separation between state and behavior has drawbacks:

  1. It intermingles properties of the model domain with that of implementation domain.
  2. No sharing of common behavior. Metaobjects solve this problem by separating the domain specific properties of objects from their behaviour specific properties. [18]

An extend function is used to mix the behavior in: [19]

'use strict';constHalfling=function(fName,lName){this.firstName=fName;this.lastName=lName;};constmixin={fullName(){returnthis.firstName+' '+this.lastName;},rename(first,last){this.firstName=first;this.lastName=last;returnthis;}};// An extend functionconstextend=(obj,mixin)=>{Object.keys(mixin).forEach(key=>obj[key]=mixin[key]);returnobj;};constsam=newHalfling('Sam','Loawry');constfrodo=newHalfling('Freeda','Baggs');// Mixin the other methodsextend(Halfling.prototype,mixin);console.log(sam.fullName());// Sam Loawryconsole.log(frodo.fullName());// Freeda Baggssam.rename('Samwise','Gamgee');frodo.rename('Frodo','Baggins');console.log(sam.fullName());// Samwise Gamgeeconsole.log(frodo.fullName());// Frodo Baggins

Mixin with using Object.assign()

'use strict';// Creating an objectconstobj1={name:'Marcus Aurelius',city:'Rome',born:'121-04-26'};// Mixin 1constmix1={toString(){return`${this.name} was born in ${this.city} in ${this.born}`;},age(){constyear=newDate().getFullYear();constborn=newDate(this.born).getFullYear();returnyear-born;}};// Mixin 2constmix2={toString(){return`${this.name} - ${this.city} - ${this.born}`;}};//  Adding the methods from mixins to the object using Object.assign()Object.assign(obj1,mix1,mix2);console.log(obj1.toString());// Marcus Aurelius - Rome - 121-04-26console.log(`His age is ${obj1.age()} as of today`);// His age is 1897 as of today

The pure function and delegation based Flight-Mixin Approach

Even though the firstly described approach is mostly widespread the next one is closer to what JavaScript's language core fundamentally offers - Delegation.

Two function object based patterns already do the trick without the need of a third party's implementation of extend.

'use strict';// ImplementationconstEnumerableFirstLast=(function(){// function based module pattern.constfirst=function(){returnthis[0];},last=function(){returnthis[this.length-1];};returnfunction(){// function based Flight-Mixin mechanics ...this.first=first;// ... referring to ...this.last=last;// ... shared code.};}());// Application - explicit delegation:// applying [first] and [last] enumerable behavior onto [Array]'s [prototype].EnumerableFirstLast.call(Array.prototype);// Now you can do:consta=[1,2,3];a.first();// 1a.last();// 3

In other languages

In the Curl web-content language, multiple inheritance is used as classes with no instances may implement methods. Common mixins include all skinnable ControlUIs inheriting from SkinnableControlUI, user interface delegate objects that require dropdown menus inheriting from StandardBaseDropdownUI and such explicitly named mixin classes as FontGraphicMixin, FontVisualMixin and NumericAxisMixin-of class. Version 7.0 added library access so that mixins do not need to be in the same package or be public abstract. Curl constructors are factories that facilitates using multiple-inheritance without explicit declaration of either interfaces or mixins.[ citation needed ]

Interfaces and traits

Java 8 introduces a new feature in the form of default methods for interfaces. [20] Basically it allows a method to be defined in an interface with application in the scenario when a new method is to be added to an interface after the interface class programming setup is done. To add a new function to the interface means to implement the method at every class which uses the interface. Default methods help in this case where they can be introduced to an interface any time and have an implemented structure which is then used by the associated classes. Hence default methods add the ability to applying the mixin concept in Java.

Interfaces combined with aspect-oriented programming can also produce full-fledged mixins in languages that support such features, such as C# or Java. Additionally, through the use of the marker interface pattern, generic programming, and extension methods, C# 3.0 has the ability to mimic mixins. With Dart 2.7 and C# 3.0 came the introduction of extension methods which can be applied, not only to classe, but also to interfaces. Extension Methods provide additional functionality on an existing class without modifying the class. It then becomes possible to create a static helper class for specific functionality that defines the extension methods. Because the classes implement the interface (even if the actual interface doesn’t contain any methods or properties to implement) it will pick up all the extension methods also. [3] [4] [21] C# 8.0 adds the feature of default interface methods. [22] [23]

ECMAScript (in most cases implemented as JavaScript) does not need to mimic object composition by stepwise copying fields from one object to another. It natively [24] supports Trait and mixin [25] [26] based object composition via function objects that implement additional behavior and then are delegated via call or apply to objects that are in need of such new functionality.

In Scala

Scala has a rich type system and Traits are a part of it which helps implement mixin behaviour. As their name reveals, Traits are usually used to represent a distinct feature or aspect that is normally orthogonal to the responsibility of a concrete type or at least of a certain instance. [27] For example, the ability to sing is modeled as such an orthogonal feature: it could be applied to Birds, Persons, etc.

traitSinger{defsing{println(" singing … ")}//more methods}classBirdextendsSinger

Here, Bird has mixed in all methods of the trait into its own definition as if class Bird had defined method sing() on its own.

As extends is also used to inherit from a super class, in case of a trait extends is used if no super class is inherited and only for mixin in the first trait. All following traits are mixed in using keyword with.

classPersonclassActorextendsPersonwithSingerclassActorextendsSingerwithPerformer

Scala allows mixing in a trait (creating an anonymous type) when creating a new instance of a class. In the case of a Person class instance, not all instances can sing. This feature comes use then:

classPerson{deftell{println(" Human ")}//more methods}valsingingPerson=newPersonwithSingersingingPerson.sing

In Rust

Rust makes extensive use of mixins via traits. Traits, like in Scala, allow users to implement behaviours for a defined type. They are also used for generics and dynamic dispatch, which allow for types with same traits to be used interchangeably statically or dynamically at runtime respectively. [28]

// Allows for types to "speak"traitSpeak{fnspeak();// Rust allows implementors to define default implementations for functions defined in traitsfngreet(){println!("Hi!")}}structDog;implSpeakforDog{fnspeak(){println!("Woof woof");}}structRobot;implSpeakforRobot{fnspeak(){println!("Beep beep boop boop");}// Here we override the definition of Speak::greet for Robotfngreet(){println!("Robot says howdy!")}}

In Swift

Mixin can be achieved in Swift by using a language feature called Default implementation in Protocol Extension.

protocolErrorDisplayable{funcerror(message:String)}extensionErrorDisplayable{funcerror(message:String){// Do what it needs to show an error//...print(message)}}structNetworkManager:ErrorDisplayable{funconError(){error("Please check your internet Connection.")}}

See also

Related Research Articles

In object-oriented programming, a class is an extensible program-code-template for creating objects, providing initial values for state and implementations of behavior.

<span class="mw-page-title-main">Dylan (programming language)</span>

Dylan is a multi-paradigm programming language that includes support for functional and object-oriented programming (OOP), and is dynamic and reflective while providing a programming model designed to support generating efficient machine code, including fine-grained control over dynamic and static behaviors. It was created in the early 1990s by a group led by Apple Computer.

Multiple inheritance is a feature of some object-oriented computer programming languages in which an object or class can inherit features from more than one parent object or parent class. It is distinct from single inheritance, where an object or class may only inherit from one particular object or class.

In object-oriented programming, the decorator pattern is a design pattern that allows behavior to be added to an individual object, dynamically, without affecting the behavior of other objects from the same class. The decorator pattern is often useful for adhering to the Single Responsibility Principle, as it allows functionality to be divided between classes with unique areas of concern as well as to the Open-Closed Principle, by allowing the functionality of a class to be extended without being modified. Decorator use can be more efficient than subclassing, because an object's behavior can be augmented without defining an entirely new object.

In software design and engineering, the observer pattern is a software design pattern in which an object, named the subject, maintains a list of its dependents, called observers, and notifies them automatically of any state changes, usually by calling one of their methods.

In computer programming, the strategy pattern is a behavioral software design pattern that enables selecting an algorithm at runtime. Instead of implementing a single algorithm directly, code receives run-time instructions as to which in a family of algorithms to use.

<span class="mw-page-title-main">Common Lisp Object System</span>

The Common Lisp Object System (CLOS) is the facility for object-oriented programming which is part of ANSI Common Lisp. CLOS is a powerful dynamic object system which differs radically from the OOP facilities found in more static languages such as C++ or Java. CLOS was inspired by earlier Lisp object systems such as MIT Flavors and CommonLoops, although it is more general than either. Originally proposed as an add-on, CLOS was adopted as part of the ANSI standard for Common Lisp and has been adapted into other Lisp dialects such as EuLisp or Emacs Lisp.

In computer programming, a generic function is a function defined for polymorphism.

In object-oriented programming, in languages such as C++, and Object Pascal, a virtual function or virtual method is an inheritable and overridable function or method for which dynamic dispatch is facilitated. This concept is an important part of the (runtime) polymorphism portion of object-oriented programming (OOP). In short, a virtual function defines a target function to be executed, but the target might not be known at compile time.

In computing, type introspection is the ability of a program to examine the type or properties of an object at runtime. Some programming languages possess this capability.

<span class="mw-page-title-main">Method overriding</span> Language feature in object-oriented programming

Method overriding, in object-oriented programming, is a language feature that allows a subclass or child class to provide a specific implementation of a method that is already provided by one of its superclasses or parent classes. In addition to providing data-driven algorithm-determined parameters across virtual network interfaces, it also allows for a specific type of polymorphism (subtyping). The implementation in the subclass overrides (replaces) the implementation in the superclass by providing a method that has same name, same parameters or signature, and same return type as the method in the parent class. The version of a method that is executed will be determined by the object that is used to invoke it. If an object of a parent class is used to invoke the method, then the version in the parent class will be executed, but if an object of the subclass is used to invoke the method, then the version in the child class will be executed. This helps in preventing problems associated with differential relay analytics which would otherwise rely on a framework in which method overriding might be obviated. Some languages allow a programmer to prevent a method from being overridden.

Flavors, an early object-oriented extension to Lisp developed by Howard Cannon at the MIT Artificial Intelligence Laboratory for the Lisp machine and its programming language Lisp Machine Lisp, was the first programming language to include mixins. Symbolics used it for its Lisp machines, and eventually developed it into New Flavors; both the original and new Flavors were message passing OO models. It was hugely influential in the development of the Common Lisp Object System (CLOS).

<i>Modern C++ Design</i> Book by Andrei Alexandrescu

Modern C++ Design: Generic Programming and Design Patterns Applied is a book written by Andrei Alexandrescu, published in 2001 by Addison-Wesley. It has been regarded as "one of the most important C++ books" by Scott Meyers.

In object-oriented programming, inheritance is the mechanism of basing an object or class upon another object or class, retaining similar implementation. Also defined as deriving new classes from existing ones such as super class or base class and then forming them into a hierarchy of classes. In most class-based object-oriented languages like C++, an object created through inheritance, a "child object", acquires all the properties and behaviors of the "parent object", with the exception of: constructors, destructors, overloaded operators and friend functions of the base class. Inheritance allows programmers to create classes that are built upon existing classes, to specify a new implementation while maintaining the same behaviors, to reuse code and to independently extend original software via public classes and interfaces. The relationships of objects or classes through inheritance give rise to a directed acyclic graph.

<span class="mw-page-title-main">Scala (programming language)</span> General-purpose programming language

Scala is a strong statically typed high-level general-purpose programming language that supports both object-oriented programming and functional programming. Designed to be concise, many of Scala's design decisions are aimed to address criticisms of Java.

In programming languages, an abstract type is a type in a nominative type system that cannot be instantiated directly; by contrast, a concrete typecan be instantiated directly. Instantiation of an abstract type can occur only indirectly, via a concrete subtype.

In computer programming, a trait is a concept used in programming languages which represents a set of methods that can be used to extend the functionality of a class.

An interface in the Java programming language is an abstract type that is used to declare a behavior that classes must implement. They are similar to protocols. Interfaces are declared using the interface keyword, and may only contain method signature and constant declarations. All methods of an Interface do not contain implementation as of all versions below Java 8. Starting with Java 8, default and static methods may have implementation in the interface definition. Then, in Java 9, private and private static methods were added. At present, a Java interface can have up to six different types.

The curiously recurring template pattern (CRTP) is an idiom, originally in C++, in which a class X derives from a class template instantiation using X itself as a template argument. More generally it is known as F-bound polymorphism, and it is a form of F-bounded quantification.

<span class="mw-page-title-main">Composition over inheritance</span> Software design pattern

Composition over inheritance in object-oriented programming (OOP) is the principle that classes should favor polymorphic behavior and code reuse by their composition over inheritance from a base or parent class. Ideally all reuse can be achieved by assembling existing components, but in practice inheritance is often needed to make new ones. Therefore inheritance and object composition typically work hand-in-hand, as discussed in the book Design Patterns (1994).

References

  1. 1 2 "Using Mix-ins with Python | Linux Journal". www.linuxjournal.com. Retrieved 2023-05-23.
  2. 1 2 AOL.COM, Bapopik at (3 August 2002). "Mix-Ins (Steve's ice cream, Boston, 1975)" . Retrieved 2023-05-23.
  3. 1 2 "Implementing Mixins with C# Extension Methods". Zorched / One-Line Fix. Retrieved 2023-05-23.
  4. 1 2 "I know the answer (it's 42) : Mixins and C#". 2006-09-04. Archived from the original on 2006-09-04. Retrieved 2023-05-23.
  5. Boyland, John; Giuseppe Castagna (26 June 1996). "Type-Safe Compilation of Covariant Specialization: A Practical Case". In Pierre Cointe (ed.). ECOOP '96, Object-oriented Programming: 10th European Conference. Springer. pp. 16–17. ISBN   9783540614395 . Retrieved 17 January 2014.
  6. "Mix In". wiki.c2.com. Retrieved 2023-05-23.
  7. "Working with Mixins in Ruby". 8 July 2015.
  8. "Re-use in OO: Inheritance, Composition and Mixins".
  9. "Moving beyond mixins » Justin Leitgeb". Archived from the original on 2015-09-25. Retrieved 2015-09-16.
  10. "Mixin-based Inheritance" (PDF).
  11. Bill Wagner. "Create mixin types using default interface methods". docs.microsoft.com. Retrieved 2022-04-18.
  12. slava (2010-01-25). "Factor/Features/The language". concatenative.org. Retrieved 2012-05-15. Factor's main language features: … Object system with Inheritance, Generic functions, Predicate dispatch and Mixins
  13. "Classes - MATLAB & Simulink - MathWorks India".
  14. Alain Frisch (2013-06-14). "Mixin objects". LexiFi. Retrieved 2022-03-29.
  15. "Mixin Class Composition". École polytechnique fédérale de Lausanne . Retrieved 16 May 2014.
  16. "XOTcl - Tutorial". media.wu-wien.ac.at. Retrieved 2023-05-23.
  17. "cpython: 2cb530243943 Lib/socketserver.py". hg.python.org. Retrieved 2023-05-23.
  18. "Mixins, Forwarding, and Delegation in JavaScript".
  19. "DRY JavaScript with mixins". Archived from the original on 2015-09-21. Retrieved 2015-09-16.
  20. "Default Methods (The Java™ Tutorials > Learning the Java Language > Interfaces and Inheritance)".
  21. Mixins, generics and extension methods in C#
  22. "Extension methods". flutterbyexample.com. Retrieved 2023-05-23.
  23. "Create mixin types using default interface methods | Microsoft Docs". 2020-04-13. Archived from the original on 2020-04-13. Retrieved 2023-05-23.
  24. Seliger, Peter (2014-04-11). "Drehtür: The-many-Talents-of-JavaScript". Drehtür. Retrieved 2023-05-23.
  25. Croll, Angus (2011-05-31). "A fresh look at JavaScript Mixins". JavaScript, JavaScript... Retrieved 2023-05-23.
  26. "javascript-code-reuse-patterns/source/components/composition at master · petsel/javascript-code-reuse-patterns". GitHub. Retrieved 2023-05-23.
  27. "Scala in practice: Traits as Mixins – Motivation". 19 July 2009.
  28. "Traits: Defining Shared Behavior - the Rust Programming Language".