Movatterモバイル変換


[0]ホーム

URL:


Jump to content
WikipediaThe Free Encyclopedia
Search

Aspect-oriented programming

From Wikipedia, the free encyclopedia
Programming paradigm

Incomputing,aspect-oriented programming (AOP) is aprogramming paradigm that aims to increasemodularity by allowing theseparation ofcross-cutting concerns. It does so by adding behavior to existing code (anadvice)without modifying the code, instead separately specifying which code is modified via a "pointcut" specification, such as "log all function calls when the function's name begins with 'set'". This allows behaviors that are not central to thebusiness logic (such as logging) to be added to a program without cluttering the code of core functions.

AOP includes programming methods and tools that support the modularization of concerns at the level of the source code, whileaspect-oriented software development refers to a whole engineering discipline.

Aspect-oriented programming entails breaking down program logic into cohesive areas of functionality (so-calledconcerns). Nearly all programming paradigms support some level of grouping andencapsulation of concerns into separate, independent entities by providing abstractions (e.g., functions, procedures, modules, classes, methods) that can be used for implementing, abstracting, and composing these concerns. Some concerns "cut across" multiple abstractions in a program, and defy these forms of implementation. These concerns are calledcross-cutting concerns or horizontal concerns.

Logging exemplifies a cross-cutting concern because a logging strategy must affect every logged part of the system. Logging therebycrosscuts all logged classes and methods.

All AOP implementations have some cross-cutting expressions that encapsulate each concern in one place. The difference between implementations lies in the power, safety, and usability of the constructs provided. For example, interceptors that specify the methods to express a limited form of cross-cutting, without much support for type-safety or debugging.AspectJ has a number of such expressions and encapsulates them in a special class, called anaspect. For example, an aspect can alter the behavior of the base code (the non-aspect part of a program) by applyingadvice (additional behavior) at variousjoin points (points in a program) specified in a quantification or query called apointcut (that detects whether a given join point matches). An aspect can also make binary-compatible structural changes to other classes, such as adding members or parents.

History

[edit]

AOP has several direct antecedents:[1]reflection andmetaobject protocols,subject-oriented programming, Composition Filters, and Adaptive Programming.[2]

Gregor Kiczales and colleagues atXerox PARC developed the explicit concept of AOP and followed this with theAspectJ AOP extension to Java. IBM's research team pursued a tool approach over a language design approach and in 2001 proposedHyper/J and theConcern Manipulation Environment, which have not seen wide use.

The examples in this article use AspectJ.

TheMicrosoft Transaction Server is considered to be the first major application of AOP followed byEnterprise JavaBeans.[3][4]

Motivation and basic concepts

[edit]

Typically, an aspect isscattered ortangled as code, making it harder to understand and maintain. It is scattered by the function (such as logging) being spread over a number of unrelated functions that might useits function, possibly in entirely unrelated systems or written in different languages. Thus, changing logging can require modifying all affected modules. Aspects become tangled not only with the mainline function of the systems in which they are expressed but also with each other. Changing one concern thus entails understanding all the tangled concerns or having some means by which the effect of changes can be inferred.

For example, consider a banking application with a conceptually very simple method for transferring an amount from one account to another. Such an example inJava looks like:

sealedclassBankingExceptionextendsExceptionpermitsInsufficientFundsException,UnauthorisedUserException{// ...}publicclassBank{publicvoidtransfer(AccountfromAcc,AccounttoAcc,intamount)throwsBankingException{if(fromAcc.getBalance()<amount){thrownewInsufficientFundsException();}fromAcc.withdraw(amount);toAcc.deposit(amount);}}

However, this transfer method overlooks certain considerations that a deployed application would require, such as verifying that the current user is authorized to perform this operation, encapsulatingdatabase transactions to prevent accidental data loss, and logging the operation for diagnostic purposes.

A version with all those new concerns might look like this:

importjava.util.logging.*;sealedclassBankingExceptionextendsExceptionpermitsInsufficientFundsException,UnauthorisedUserException{// ...}publicclassBank{privatestaticfinalLoggerlogger;privatefinalDatabasedatabase;publicvoidtransfer(AccountfromAcc,AccounttoAcc,intamount,Useruser)throwsBankingException{logger.info("Transferring money...");if(!isUserAuthorised(user,fromAcc)){logger.log(Level.WARNING,"User has no permission.");thrownewUnauthorisedUserException();}if(fromAcc.getBalance()<amount){logger.log(Level.WARNING,"Insufficient funds.");thrownewInsufficientFundsException();}fromAcc.withdraw(amount);toAcc.deposit(amount);database.commitChanges();// Atomic operation.logger.log(Level.INFO,"Transaction successful.");}}

In this example, other interests have becometangled with the basic functionality (sometimes called thebusiness logic concern). Transactions, security, and logging all exemplifycross-cutting concerns.

Now consider what would happen if we suddenly need to change the security considerations for the application. In the program's current version, security-related operations appearscattered across numerous methods, and such a change would require major effort.

AOP tries to solve this problem by allowing the programmer to express cross-cutting concerns in stand-alone modules calledaspects. Aspects can containadvice (code joined to specified points in the program) andinter-type declarations (structural members added to other classes). For example, a security module can include advice that performs a security check before accessing a bank account. Thepointcut defines the times (join points) when one can access a bank account, and the code in the advice body defines how the security check is implemented. That way, both the check and the places can be maintained in one place. Further, a good pointcut can anticipate later program changes, so if another developer creates a new method to access the bank account, the advice will apply to the new method when it executes.

So for the example above implementing logging in an aspect:

aspectLogger{Loggerlogger;voidBank.transfer(AccountfromAcc,AccounttoAcc,intamount,Useruser){logger.info("Transferring money...");}voidBank.getMoneyBack(Useruser,inttransactionId){logger.info("User requested money back.");}// Other crosscutting code.}

One can think of AOP as a debugging tool or a user-level tool. Advice should be reserved for cases in which one cannot get the function changed (user level)[5] or do not want to change the function in production code (debugging).

Join point models

[edit]

The advice-related component of an aspect-oriented language defines a join point model (JPM). A JPM defines three things:

  1. When the advice can run. These are calledjoin points because they are points in a running program where additional behavior can be usefully joined. A join point needs to be addressable and understandable by an ordinary programmer to be useful. It should also be stable across inconsequential program changes to maintain aspect stability. Many AOP implementations support method executions and field references as join points.
  2. A way to specify (orquantify) join points, calledpointcuts. Pointcuts determine whether a given join point matches. Most useful pointcut languages use a syntax like the base language (for example,AspectJ uses Java signatures) and allow reuse through naming and combination.
  3. A means of specifying code to run at a join point.AspectJ calls thisadvice, and can run it before, after, and around join points. Some implementations also support defining a method in an aspect on another class.

Join-point models can be compared based on the join points exposed, how join points are specified, the operations permitted at the join points, and the structural enhancements that can be expressed.

AspectJ's join-point model

[edit]
Main article:AspectJ
  • The join points in AspectJ include method or constructor call or execution, the initialization of a class or object, field read and write access, and exception handlers. They do not include loops, super calls, throws clauses, or multiple statements.
  • Pointcuts are specified by combinations ofprimitive pointcut designators (PCDs).

    "Kinded" PCDs match a particular kind of join point (e.g., method execution) and often take a Java-like signature as input. One such pointcut looks like this:

    execution(*set*(*))

    This pointcut matches a method-execution join point, if the method name starts with "set" and there is exactly one argument of any type.

    "Dynamic" PCDs check runtime types and bind variables. For example,

    this(Point)

    This pointcut matches when the currently executing object is an instance of classPoint. Note that the unqualified name of a class can be used via Java's normal type lookup.

    "Scope" PCDs limit the lexical scope of the join point. For example:

    within(com.company.*)

    This pointcut matches any join point in any type in thecom.company package. The* is one form of the wildcards that can be used to match many things with one signature.

    Pointcuts can be composed and named for reuse. For example:

    pointcutset():execution(*set*(*))&&this(Point)&&within(com.company.*);
    This pointcut matches a method-execution join point, if the method name starts with "set" andthis is an instance of typePoint in thecom.company package. It can be referred to using the name "set()".
  • Advice specifies to run at (before, after, or around) a join point (specified with a pointcut) certain code (specified like code in a method). The AOP runtime invokes Advice automatically when the pointcut matches the join point. For example:
    after():set(){Display.update();}
    This effectively specifies: "if theset() pointcut matches the join point, run the codeDisplay.update() after the join point completes."

Other potential join point models

[edit]

There are other kinds of JPMs. All advice languages can be defined in terms of their JPM. For example, a hypothetical aspect language forUML may have the following JPM:

  • Join points are all model elements.
  • Pointcuts are someBoolean expression combining the model elements.
  • The means of affect at these points are a visualization of all the matched join points.

Inter-type declarations

[edit]

Inter-type declarations provide a way to express cross-cutting concerns affecting the structure of modules. Also known asopen classes andextension methods, this enables programmers to declare in one place members or parents of another class, typically to combine all the code related to a concern in one aspect. For example, if a programmer implemented the cross-cutting display-update concern using visitors, an inter-type declaration using thevisitor pattern might look like this in AspectJ:

aspectDisplayUpdate{voidPoint.acceptVisitor(Visitorv){v.visit(this);}// other crosscutting code...}

This code snippet adds theacceptVisitor method to thePoint class.

Any structural additions are required to be compatible with the original class, so that clients of the existing class continue to operate, unless the AOP implementation can expect to control all clients at all times.

Implementation

[edit]

AOP programs can affect other programs in two different ways, depending on the underlying languages and environments:

  1. a combined program is produced, valid in the original language and indistinguishable from an ordinary program to the ultimate interpreter
  2. the ultimate interpreter or environment is updated to understand and implement AOP features.

The difficulty of changing environments means most implementations produce compatible combination programs through a type ofprogram transformation known asweaving. Anaspect weaver reads the aspect-oriented code and generates appropriate object-oriented code with the aspects integrated. The same AOP language can be implemented through a variety of weaving methods, so the semantics of a language should never be understood in terms of the weaving implementation. Only the speed of an implementation and its ease of deployment are affected by the method of combination used.

Systems can implement source-level weaving using preprocessors (as C++ was implemented originally inCFront) that require access to program source files. However, Java's well-defined binary form enables bytecode weavers to work with any Java program in .class-file form. Bytecode weavers can be deployed during the build process or, if the weave model is per-class, during class loading.AspectJ started with source-level weaving in 2001, delivered a per-class bytecode weaver in 2002, and offered advanced load-time support after the integration ofAspectWerkz in 2005.

Any solution that combines programs at runtime must provide views that segregate them properly to maintain the programmer's segregated model. Java's bytecode support for multiple source files enables any debugger to step through a properly woven .class file in a source editor. However, some third-party decompilers cannot process woven code because they expect code produced by Javac rather than all supported bytecode forms (see also§ Criticism, below).

Deploy-time weaving offers another approach.[6] This basically implies post-processing, but rather than patching the generated code, this weaving approachsubclasses existing classes so that the modifications are introduced by method-overriding. The existing classes remain untouched, even at runtime, and all existing tools, such as debuggers and profilers, can be used during development. A similar approach has already proven itself in the implementation of manyJava EE application servers, such asIBM'sWebSphere.

Terminology

[edit]

Standard terminology used in Aspect-oriented programming may include:

Cross-cutting concerns
Even though most classes in an object-oriented model will perform a single, specific function, they often share common, secondary requirements with other classes. For example, we may want to add logging to classes within the data-access layer and also to classes in the UI layer whenever a thread enters or exits a method. Further concerns can be related to security such asaccess control[7] orinformation flow control.[8] Even though each class has a very different primary functionality, the code needed to perform the secondary functionality is often identical.
Advice
This is the additional code that you want to apply to your existing model. In our example, this is the logging code that we want to apply whenever the thread enters or exits a method.:
Pointcut
Main article:Pointcut
This refers to the point of execution in the application at which cross-cutting concern needs to be applied. In our example, a pointcut is reached when the thread enters a method, and another pointcut is reached when the thread exits the method.
Aspect
The combination of the pointcut and the advice is termed an aspect. In the example above, we add a logging aspect to our application by defining a pointcut and giving the correct advice.

Comparison to other programming paradigms

[edit]

Aspects emerged fromobject-oriented programming andreflective programming. AOP languages have functionality similar to, but more restricted than,metaobject protocols. Aspects relate closely to programming concepts likesubjects,mixins, anddelegation. Other ways to use aspect-oriented programming paradigms includeComposition Filters and thehyperslices approach. Since at least the 1970s, developers have been using forms of interception and dispatch-patching that resemble some of the implementation methods for AOP, but these never had the semantics that the cross-cutting specifications provide in one place.[citation needed]

Designers have considered alternative ways to achieve separation of code, such asC#'s partial types, but such approaches lack a quantification mechanism that allows reaching several join points of the code with one declarative statement.[citation needed]

Though it may seem unrelated, in testing, the use of mocks or stubs requires the use of AOP techniques, such as around advice. Here the collaborating objects are for the purpose of the test, a cross-cutting concern. Thus, the various Mock Object frameworks provide these features. For example, a process invokes a service to get a balance amount. In the test of the process, it is unimportant where the amount comes from, but only that the process uses the balance according to the requirements.[citation needed]

Adoption issues

[edit]

Programmers need to be able to read and understand code to prevent errors.[9]Even with proper education, understanding cross-cutting concerns can be difficult without proper support for visualizing both static structure and the dynamic flow of a program.[10] Starting in 2002, AspectJ began to provide IDE plug-ins to support the visualizing of cross-cutting concerns. Those features, as well as aspect code assist andrefactoring, are now common.

Given the power of AOP, making a logical mistake in expressing cross-cutting can lead to widespread program failure. Conversely, another programmer may change the join points in a program, such as by renaming or moving methods, in ways that the aspect writer did not anticipate and withunforeseen consequences. One advantage of modularizing cross-cutting concerns is enabling one programmer to easily affect the entire system. As a result, such problems manifest as a conflict over responsibility between two or more developers for a given failure. AOP can expedite solving these problems, as only the aspect must be changed. Without AOP, the corresponding problems can be much more spread out.[citation needed]

Criticism

[edit]

The most basic criticism of the effect of AOP is that control flow is obscured, and that it is not only worse than the much-malignedGOTO statement, but is closely analogous to the jokeCOME FROM statement.[10] Theobliviousness of application, which is fundamental to many definitions of AOP (the code in question has no indication that an advice will be applied, which is specified instead in the pointcut), means that the advice is not visible, in contrast to an explicit method call.[10][11] For example, compare the COME FROM program:[10]

5INPUTX10PRINT'Result is :'15PRINTX20COMEFROM1025X=X*X30RETURN

with an AOP fragment with analogous semantics:

main(){inputxprint(result(x))}inputresult(intx){returnx}around(intx):call(result(int))&&args(x){inttemp=proceed(x)returntemp*temp}

Indeed, the pointcut may depend on runtime condition and thus not be statically deterministic. This can be mitigated but not solved by static analysis and IDE support showing which advicespotentially match.

General criticisms are that AOP purports to improve "both modularity and the structure of code", but some counter that it instead undermines these goals and impedes "independent development and understandability of programs".[12] Specifically, quantification by pointcuts breaks modularity: "one must, in general, have whole-program knowledge to reason about the dynamic execution of an aspect-oriented program."[13] Further, while its goals (modularizing cross-cutting concerns) are well understood, its actual definition is unclear and not clearly distinguished from other well-established techniques.[12] Cross-cutting concerns potentially cross-cut each other, requiring some resolution mechanism, such as ordering.[12] Indeed, aspects can apply to themselves, leading to problems such as theliar paradox.[14]

Technical criticisms include that the quantification of pointcuts (defining where advices are executed) is "extremely sensitive to changes in the program", which is known as thefragile pointcut problem.[12] The problems with pointcuts are deemed intractable. If one replaces the quantification of pointcuts with explicit annotations, one obtainsattribute-oriented programming instead, which is simply an explicit subroutine call and suffers the identical problem of scattering, which AOP was designed to solve.[12]

Implementations

[edit]

Manyprogramming languages have implemented AOP, within the language, or as an externallibrary, including:

See also

[edit]

Notes and references

[edit]
  1. ^Kiczales, G.; Lamping, J.; Mendhekar, A.; Maeda, C.; Lopes, C.; Loingtier, J. M.; Irwin, J. (1997).Aspect-oriented programming(PDF).ECOOP'97.Proceedings of the 11th European Conference on Object-Oriented Programming.Lecture Notes in Computer Science (LNCS). Vol. 1241. pp. 220–242.CiteSeerX 10.1.1.115.8660.doi:10.1007/BFb0053381.ISBN 3-540-63089-9.Archived(PDF) from the original on 12 January 2016.
  2. ^"Adaptive Object Oriented Programming: The Demeter Approach with Propagation Patterns"Karl Liebherr 1996ISBN 0-534-94602-X presents a well-worked version of essentially the same thing (Lieberherr subsequently recognized this and reframed his approach).
  3. ^Don Box; Chris Sells (4 November 2002).Essential.NET: The common language runtime. Addison-Wesley Professional. p. 206.ISBN 978-0-201-73411-9. Retrieved4 October 2011.
  4. ^Roman, Ed; Sriganesh, Rima Patel; Brose, Gerald (1 January 2005).Mastering Enterprise JavaBeans. John Wiley and Sons. p. 285.ISBN 978-0-7645-8492-3. Retrieved4 October 2011.
  5. ^"gnu.org". GNU Project.Archived from the original on 24 December 2017. Retrieved5 May 2018.
  6. ^"Archived copy"(PDF). Archived fromthe original(PDF) on 8 October 2005. Retrieved19 June 2005.{{cite web}}: CS1 maint: archived copy as title (link)
  7. ^B. De Win, B. Vanhaute and B. De Decker. "Security through aspect-oriented programming". InAdvances in Network and Distributed Systems Security (2002).
  8. ^T. Pasquier, J. Bacon and B. Shand. "FlowR: Aspect Oriented Programming for Information Flow Control in Ruby". InACM Proceedings of the 13th international conference on Modularity (Aspect Oriented Software Development) (2014).
  9. ^Edsger Dijkstra,Notes on Structured ProgrammingArchived 2006-10-12 at theWayback Machine, pg. 1-2
  10. ^abcdConstantinides, Constantinos; Skotiniotis, Therapon; Störzer, Maximilian (September 2004).AOP Considered Harmful(PDF). European Interactive Workshop on Aspects in Software (EIWAS). Berlin, Germany.Archived(PDF) from the original on 23 March 2016. Retrieved5 May 2018.
  11. ^C2:ComeFrom
  12. ^abcdeSteimann, F. (2006). "The paradoxical success of aspect-oriented programming".ACM SIGPLAN Notices.41 (10):481–497.CiteSeerX 10.1.1.457.2210.doi:10.1145/1167515.1167514., (slidesArchived 2016-03-04 at theWayback Machine,slides 2Archived 2015-09-23 at theWayback Machine,abstractArchived 2015-09-24 at theWayback Machine), Friedrich Steimann, Gary T. Leavens,OOPSLA 2006
  13. ^"More Modular Reasoning for Aspect-Oriented Programs".Archived from the original on 12 August 2015. Retrieved11 August 2015.
  14. ^"AOP and the Antinomy of the Liar"(PDF).fernuni-hagen.de.Archived(PDF) from the original on 9 August 2017. Retrieved5 May 2018.
  15. ^Numerous:AfterthoughtArchived 2016-03-15 at theWayback Machine,LOOM.NETArchived 2008-08-27 at theWayback Machine,Enterprise Library 3.0 Policy Injection Application BlockArchived 2007-01-19 at theWayback Machine,AspectDNGArchived 2004-09-29 at theWayback Machine,DynamicProxyArchived 2015-12-05 at theWayback Machine,Compose*Archived 2005-08-21 at Wikiwix,PostSharpArchived 2016-05-03 at theWayback Machine,Seasar.NETArchived 2006-07-25 at theWayback Machine,DotSpect (.SPECT)Archived 2006-03-31 at theWayback Machine,Spring.NETArchived 2006-04-02 at theWayback Machine (as part of its functionality),Wicca and Phx.MorphArchived 2006-12-07 at theWayback Machine,SetPointArchived 2008-10-07 at theWayback Machine
  16. ^"Welcome to as3-commons-bytecode".as3commons.org.Archived from the original on 3 October 2014. Retrieved5 May 2018.
  17. ^"Ada2012 Rationale"(PDF).adacore.com.Archived(PDF) from the original on 18 April 2016. Retrieved5 May 2018.
  18. ^"Function Hooks".autohotkey.com. Archived fromthe original on 17 January 2013. Retrieved5 May 2018.
  19. ^Several:AspectC++,FeatureC++,AspectCArchived 2006-08-21 at theWayback Machine,AspeCt-oriented CArchived 2008-11-20 at theWayback Machine,Aspicere
  20. ^"Cobble".vub.ac.be. Retrieved5 May 2018.[permanent dead link]
  21. ^"AspectCocoa".neu.edu. Archived fromthe original on 26 October 2007. Retrieved5 May 2018.
  22. ^"ColdSpring Framework: Welcome". 5 November 2005. Archived from the original on 5 November 2005. Retrieved5 May 2018.{{cite web}}: CS1 maint: bot: original URL status unknown (link)
  23. ^"Closer Project: AspectL".Archived from the original on 23 February 2011. Retrieved11 August 2015.
  24. ^"infra – Frameworks Integrados para Delphi – Google Project Hosting".Archived from the original on 9 September 2015. Retrieved11 August 2015.
  25. ^"meaop – MeSDK: MeObjects, MeRTTI, MeAOP – Delphi AOP(Aspect Oriented Programming), MeRemote, MeService... – Google Project Hosting".Archived from the original on 10 September 2015. Retrieved11 August 2015.
  26. ^"Google Project Hosting".Archived from the original on 25 December 2014. Retrieved11 August 2015.
  27. ^"RemObjects Cirrus".codegear.com. Archived fromthe original on 23 January 2012. Retrieved5 May 2018.
  28. ^"Emacs Advice Functions". GNU Project.Archived from the original on 24 October 2011. Retrieved5 May 2018.
  29. ^Monads allow program semantics to be altered by changing the type of the program without altering its code:De Meuter, Wolfgang (1997). "Monads As a theoretical basis for AOP".International Workshop on Aspect-Oriented Programming at ECOOP: 25.CiteSeerX 10.1.1.25.8262.Tabareau, Nicolas; Figueroa, Ismael; Tanter, Éric (March 2013)."A typed monadic embedding of aspects".Proceedings of the 12th annual international conference on Aspect-oriented software development(PDF). Aosd '13. pp. 171–184.doi:10.1145/2451436.2451457.ISBN 9781450317665.S2CID 27256161.Type classes allow additional capabilities to be added to a type:Sulzmann, Martin; Wang, Meng (March 2007)."Aspect-oriented programming with type classes".Proceedings of the 6th workshop on Foundations of aspect-oriented languages(PDF). pp. 65–74.doi:10.1145/1233833.1233842.ISBN 978-1595936615.S2CID 3253858..
  30. ^Numerous others:CaesarJArchived 2008-12-19 at theWayback Machine,Compose*Archived 2005-08-21 at Wikiwix,DynaopArchived 2007-07-24 at theWayback Machine,JACArchived 2004-06-19 at theWayback Machine,Google Guice (as part of its functionality),JavassistArchived 2004-09-01 at theWayback Machine,JAsCo (and AWED)Archived 2005-04-11 at theWayback Machine,JAMLArchived 2005-04-15 at theWayback Machine,JBoss AOPArchived 2006-10-17 at theWayback Machine,LogicAJArchived 2006-05-04 at theWayback Machine,Object TeamsArchived 2005-08-31 at theWayback Machine,PROSEArchived 2007-01-24 at theWayback Machine,The AspectBench Compiler for AspectJ (abc)Archived 2014-12-16 at theWayback Machine,Spring framework (as part of its functionality),Seasar,The JMangler ProjectArchived 2005-10-28 at theWayback Machine,InjectJArchived 2005-04-05 at theWayback Machine,GluonJArchived 2007-02-06 at theWayback Machine,SteamloomArchived 2007-08-18 at theWayback Machine
  31. ^Many:AdvisableArchived 2008-07-04 at theWayback Machine,AjaxpectArchived 2016-07-09 at theWayback Machine,jQuery AOP PluginArchived 2008-01-13 at theWayback Machine,AspectesArchived 2006-05-08 at Wikiwix,AspectJSArchived 2008-12-16 at theWayback Machine,Cerny.jsArchived 2007-06-27 at theWayback Machine,Dojo ToolkitArchived 2006-02-21 at theWayback Machine,Humax Web FrameworkArchived 2008-12-09 at theWayback Machine,JooseArchived 2015-03-18 at theWayback Machine,PrototypePrototype Function#wrapArchived 2009-05-05 at theWayback Machine,YUI 3 (Y.Do)Archived 2011-01-25 at theWayback Machine
  32. ^Using built-in support for categories (which allows the encapsulation of aspect code) and event-driven programming (which allows the definition ofbefore and afterevent handlers).
  33. ^"AspectLua".Archived from the original on 17 July 2015. Retrieved11 August 2015.
  34. ^"MAKAO, re(verse)-engineering build systems". Archived fromthe original on 24 July 2012. Retrieved11 August 2015.
  35. ^"McLab".Archived from the original on 24 September 2015. Retrieved11 August 2015.
  36. ^"AspectML – Aspect-oriented Functional Programming Language Research". Archived fromthe original on 5 December 2010. Retrieved11 August 2015.
  37. ^"nemerle/README.md at master · rsdn/nemerle".GitHub. Retrieved22 March 2018.
  38. ^Adam Kennedy."Aspect – Aspect-Oriented Programming (AOP) for Perl – metacpan.org".Archived from the original on 31 August 2013. Retrieved11 August 2015.
  39. ^Several:PHP-AOP (AOP.io)Archived 2014-08-18 at Wikiwix,Go! AOP frameworkArchived 2013-03-01 at theWayback Machine,PHPaspectArchived 2016-08-22 at theWayback Machine,Seasar.PHPArchived 2005-12-26 at theWayback Machine,PHP-AOP,FlowArchived 2018-01-04 at theWayback Machine,AOP PECL ExtensionArchived 2017-04-11 at theWayback Machine
  40. ^"Aspect-Oriented Programming in Prolog".bigzaphod.org. 14 December 2005. Archived fromthe original on 3 March 2012. Retrieved5 May 2018.
  41. ^Several:PEAKArchived 2005-04-09 at theWayback Machine,Aspyct AOP,Lightweight Python AOPArchived 2004-10-09 at theWayback Machine,Logilab's aspect moduleArchived 2005-03-09 at theWayback Machine,PythiusArchived 2005-04-08 at theWayback Machine,Spring Python's AOP moduleArchived 2016-03-04 at theWayback Machine,Pytilities' AOP moduleArchived 2011-08-25 at theWayback Machine,aspectlibArchived 2014-11-05 at theWayback Machine
  42. ^"PLaneT Package Repository : PLaneT > dutchyn > aspectscheme.plt".Archived from the original on 5 September 2015. Retrieved11 August 2015.
  43. ^"AspectR – Simple aspect-oriented programming in Ruby".Archived from the original on 12 August 2015. Retrieved11 August 2015.
  44. ^Dean Wampler."Home". Archived fromthe original on 26 October 2007. Retrieved11 August 2015.
  45. ^"gcao/aspector".GitHub.Archived from the original on 4 January 2015. Retrieved11 August 2015.
  46. ^"AspectS".tu-ilmenau.de. Archived fromthe original on 6 January 2006. Retrieved5 May 2018.
  47. ^"MetaclassTalk: Reflection and Meta-Programming in Smalltalk". Archived fromthe original on 29 July 2015. Retrieved11 August 2015.
  48. ^"WEAVR".iit.edu.Archived from the original on 12 December 2008. Retrieved5 May 2018.
  49. ^"aspectxml – An Aspect-Oriented XML Weaving Engine (AXLE) – Google Project Hosting".Archived from the original on 12 September 2015. Retrieved11 August 2015.

Further reading

[edit]

External links

[edit]
Concepts
Languages
Imperative
Structured
Object-oriented
(comparison,list)
Declarative
Functional
(comparison)
Dataflow
Logic
Domain-
specific
language

(DSL)
Concurrent,
distributed,
parallel
Metaprogramming
Separation
of concerns
International
National
Other
Retrieved from "https://en.wikipedia.org/w/index.php?title=Aspect-oriented_programming&oldid=1312494572"
Categories:
Hidden categories:

[8]ページ先頭

©2009-2025 Movatter.jp