1 / 39

Coupling and Cohesion Revisited …

Coupling and Cohesion Revisited …. In order to implement the world of Zuul. Class Design. You know you can implement your application with a very bad design and it will still work , but. Class Design.

bnelson
Download Presentation

Coupling and Cohesion Revisited …

An Image/Link below is provided (as is) to download presentation Download Policy: Content on the Website is provided to you AS IS for your information and personal use and may not be sold / licensed / shared on other websites without getting consent from its author. Content is provided to you AS IS for your information and personal use only. Download presentation by click this link. While downloading, if for some reason you are not able to download a presentation, the publisher may have deleted the file from their server. During download, if you can't get a presentation, the file might be deleted by the publisher.

E N D

Presentation Transcript


  1. Coupling and Cohesion Revisited … In order to implement the world of Zuul

  2. ClassDesign • Youknowyou can implementyourapplicationwith a verybaddesign and itwillstillwork, but . . .

  3. ClassDesign • You know you can implement your application with a very bad design and it will still work, but . . . • If there are bugs, the task to find and fix them will be a headache or even a nightmare. • Extensions may be also difficult to implement • Companies usually extend and release various subsequent versions of the software they release along various years, this is also difficult with a bad designed software (example: windows 3.0).

  4. World of Zuul • A classicforteaching OOP • Developed at thebeginning of the 70’ byWillCrowther and extended by Don Woods. Popularizedby Unix distribution. • Perhaps more known as Colosal Cave Adventure(see https://en.wikipedia.org/wiki/Colossal_Cave_Adventure ). • Sophisticated and imaginativeforits time, whichwasaboutfondingthewaythroug a cave finding and gatheringtreasures, drinkingoreatingthings, fightingwithvariousenemiesusingsecretkeywords • Wewill use it to revisitsomeoopconcepts and introduce a (possible) projectfor a team.

  5. Diagrama de Clases Game: principal class. Initializesthegame and enters a loopwhichreads and performscommands. I alsocontainsthecodethatimplementseachcommand Room: representthecurrentlocation. Roomsmayhaveexitswhichconnect to otherrooms. Command: represents a commandtheuserentered. It has methodswhichallosaneasycheckingitsvalidity and obtainthefirst and secondwords of thecommand (like “gosouth”)

  6. Diagrama de Clases Readslinesfromtheconsole and tries to interpretthem as commands. CreatesobjectsfromtheCommandclasswhichrepresentthecommandentered Defines thevalidcommands of thegame. Thisis done storingthestringswhichrepresentthem in anarray

  7. Coupling & cohesion • coupling and cohesion: concepts which help to measure the quality of a design • coupling: interconnection among classes, indicates how tight are classes connected. The lower the better (loosely coupling). • In a tight coupled class structure a change in a class may trigger changes in many others. • The effect expands through the whole application is it has high coupling. • This may difficult finding the places which the code must be changed.

  8. Coupling & cohesion • Cohesion relates to the number and variety of tasks a single unity is responsible inside the application. • Ideally, one unit must be responsible of a single task (a task might be seen as a a logic unity). • A method must implement one logic operation and one class must represent one type of entity. • Reason for this: re-use; if a single unity implements a well defined task then it is more probable that it will be used again in a different context. • Another plus: when doing a change for an aspect of the application, it is more probable that we find all relevant pieces in the same place.

  9. CodeDuplication • The code duplication is an indicator of bad design • A change in the version must be applied to all places which have the same code in order to avoid inconsistencies. • Not only increases the work of the maintenance programmer but also introduces the possibility of inserting more bugs. • The Game class presented now has examples of code duplication

  10. Gameclass

  11. GameClass(2)

  12. GameClass (3)

  13. GameClass (4)

  14. CodeDuplication • Both the printWelcome and goRoom methods contain the following lines of code: • Code duplication is usually a symptom of bad cohesion: • both methods do two things: print the welcome message and prinsthe information about the current location. • Thisis a baddesign .

  15. Solution • A betterdesignis to use a separatemethodwhoseonlytaskis to printtheinformation of thecurrentroom. • ThenbothmethodsprintWelcomeand goRoomcan call this one to print the information about the current room .

  16. Coupling • Letsconsiderthepossibility to addtwo more exits: up and down. • In ourcode, there are many places wherealltheexistingexits are explicitlymentioned. Thisis a symptom of baddesign. • Inspection of the given classes shows us that at least two classes are involved in this change: Room and Game.. • To add two new directions, we would need to add two new exits (upExit and downExit) in these two places

  17. TheRoomclass • InsidetheRoomclass, thesetExitsmethod set theexitstheroomwillhave:

  18. Solution • In order to have a more flexible design, we are going to use a HashMap table to store all the exits a room has • The HashMap will have an association of the direction name (for example “north”) and the room which can be reached going in that direction : • HashMap exits = new HashMap(); • exits.put(“north”, aroom); • This will allow us to handle any number of exists to any direction.

  19. But… • This is a change in the way a room stores information internally about neighboring rooms. Theoretically, this is a change that should affect only the implementation of the Room class (how the exit information is stored), not the interface (what the room stores). • Ideally, when only the implementation of a class changes, other classes should not be affected. This would be a case of loose coupling. • In our example, this does not work. If we remove the exit variables in the Room class and replace them with a HashMap, the Game class will not compile any more. • It makes numerous references to the room’s exit variables, which all would cause errors. • We see that we have a case here of tight coupling. • In order to clean this up, we will decouple these classes before we introduce the HashMap.

  20. Encapsulation to reduce coupling • We can separatethe “what” fromthe “how” using a getter. • A getterencapsulateshowtheinformationisstored and deliversthenecessaryinformation to therequester. • Thegreatadvantage: if no classknowshow data are stored in anotheronethenwe can changethiswithoutbrakingthe rules fortheotherclasses.

  21. RedesigningGame • Having made this change to the Room class, we need to change the Game class as well. • Wherever an exit variable was accessed, we now use the accessor method. For example,insteadof writing • nextRoom= currentRoom.eastExit; • wenowcan write • nextRoom= currentRoom.getExit("east");

  22. RedesigninggoRoom This makes one section in the Game class much easier as well. In the goRoom method, the replacement suggested here will result in the following code segment: RoomnextRoom = null; if(direction.equals("north")) { nextRoom = currentRoom.getExit("north"); } if(direction.equals("east")) { nextRoom = currentRoom.getExit("east"); } if(direction.equals("south")) { nextRoom = currentRoom.getExit("south"); } if(direction.equals("west")) { nextRoom = currentRoom.getExit("west"); } Instead, this whole code segment can now be replaced with: RoomnextRoom = currentRoom.getExit(direction);

  23. NowLets introduce theHashMap in classRoom (1)

  24. IntroducingHashMap in Room (2)

  25. IntroducingHashMap in Room (3)

  26. Somethoughts • It is worth emphasizing again that we can make this change now without even checkingwhetheranything will break elsewhere. • Since we have changed only private aspects of the Room class, which, by definition, cannot be used in other classes, this change does not impact on other classes. • The interface remains unchanged. • A by-product of this change is that our Room class is now even shorter. Instead of listing fourseparatevariables, we have only one. In addition the getExit method is considerably simplified.

  27. ¿whathappenswith up and down? • Recall the original aim for the series of changesmakeit easier to add two new possible exits in the up and down direction. • Since we now use a HashMap to store exits, storing these two additional directions will work without any change. • We can also obtain the exit information via the getExitmethodwithoutanyproblem. • The only place where knowledge about the four existing exits (north, east, south, west) is still coded into the source is in the setExits method. • At the moment the method’s signature is • public void setExits(Room north, Room east, Room south, Room west) • This method is part of the interface of the Room class, so any change we make to it will inevitably affect some other classes by virtue of coupling. • It is worth noting that we can never completely decouple the classes in an application, otherwise objects of different classes would not be able to interact with one another. • Rather, we try to keep the degree of coupling as low as possible.

  28. LetschangesetExits • Ifwehave to make a change to setExitsanyway, thenwechangethedesignfor a more general approach: • /** • * Define an exit from this room. • * @param direction The direction of the exit. • * @param neighbor The room in the given direction. • */ • public void setExit(String direction, Room neighbor) • { • exits.put(direction, neighbor); • } • Now, instead of lab.setExits(outside, office, null, null); • Wewritelab.setExit("north", outside); • lab.setExit("east", office); • Whichis more flexible

  29. Responsibility-drivendesign • Another way to reduce coupling • It is the process of designing classes, assigning well defined responsibilities to each class. • It is used in order to answer the question “which class should implement which functionality” • The answer given by Responsibility driven design is that each class is responsible for managing its own data. • Frequently, when we have to add functionality to an application we should ask ourselves in which class should we add a method for implementing it • Question: ¿Which class should be responsible for this task? • Answer: the class who has the necessary data for doing it.

  30. Responsibility and coupling • Letssuposethatwewant to add a new room (cellar) underthe office. Allwehave to do issomeminorchanges in theAll we have to do to achieve this is to make some small changes to the Game’s createRoomsmethod to create the room, and make two calls to set the exits: • privatevoidcreateRooms() { • Room outside, theatre, pub, lab, office, cellar; • ... • cellar = new Room("in the cellar"); • ... • office.setExit("down", cellar); • cellar.setExit("up", office); • } • Giventhe new interface of theRoomclass, thisworkswithoutproblems, confirmingthatthe new designisbetter.

  31. Reducingcoupling • A consequence of responsibility-drivendesignwould be thatthemessagedescribingtheroom and itsexistsshould be prepred (provided) bytheRoomclassitself, notbytheGameclass. Letsaddthefollowingmethod to Room

  32. Reducingcoupling • Currently, we have still encoded in the Game class the knowledge that the information we want from a room consists of a description string and the exit string: • System.out.println("You are " + currentRoom.getDescription()); • System.out.println(currentRoom.getExitString()); • What if we add items to rooms in our game? Or monsters? Or other players? • When we describe what we see, the list of items, monsters, and other players should be included in the description of the room. We would need not only to make changes to the Room class to add these things, but also to change the code segment above where the descriptionisprintedout. • This is again a breach of the responsibility-driven design rule. Since the Room class holds information about a room, it should also produce a description for a room.

  33. Reducingcoupling • Wecan improve this by adding to the Room class the following method: • /** • * Return a long description of this room, of the form: • * You are in the kitchen. • * Exits: northwest • * @return A description of the room, including exits. • */ • publicStringgetLongDescription() { • return "You are " + description + ".\n" + getExitString(); • } • In the Game class we then write System.out.println(currentRoom.getLongDescription()); • The ‘long description’ of a room now includes the description string, information about the exits, and may in the future include anything else there is to say about a room. When we make these future extensions, we will have to make changes to only a single class: the Room class.

  34. Implicitcoupling • To use public fields is one practice that is likely to create an unnecessarily tight form of coupling between classes. With this tight coupling, it may be necessary to make changes to more than one class. • An even worse form of coupling: implicit coupling. • Implicit coupling is a situation where one class depends on internal information of another, but this dependence is not immediately obvious. • Tight coupling is not good, but at least it was obvious. (to change the public fields in one class, and forget about the other, may cause the application not to compile any more and the compiler will point out the problem) • In cases of implicit coupling, omitting a necessary changecan goundetected.

  35. Implicitcoupling • To use public fields is one practice that is likely to create an unnecessarily tight form of coupling between classes. With this tight coupling, it may be necessary to make changes to more than one class. • An even worse form of coupling: implicit coupling. • Implicit coupling is a situation where one class depends on internal information of another, but this dependence is not immediately obvious. • Tight coupling is not good, but at least it was obvious. (to change the public fields in one class, and forget about the other, may cause the application not to compile any more and the compiler will point out the problem) • In cases of implicit coupling, omitting a necessary changecan goundetected.

  36. Lets introduce the look command • The purpose of look is merely to print out the description of the room and the exits again (we ‘look around the room’) – • We can introduce a new command word by simply adding it to the array of known words in the validCommands array in the CommandWords class: • // a constant array that holds all valid command words • private static final String validCommands[] = { • "go", "quit", "help", "look" • }; • This is an example of good cohesion: instead of defining the command words in the parser, a separate class just to define the command words is created • After making this change, when we type the command look, nothing happens. • This contrasts with the behavior of an unknown command word: if we type any unknown word, we see the reply • I don’t know what you mean...

  37. Lets introduce the look command We can fix this by adding a method for the look command to the Game class: privatevoid look() { System.out.println(currentRoom.getLongDescription()); } After this, we only need to add a case for the look command in the processCommand method, which will invoke the look method when the look command is recognized: if (commandWord.equals("help")) { printHelp(); } elseif (commandWord.equals("go")) { goRoom(command); } elseif (commandWord.equals("look")) { look(); } elseif (commandWord.equals("quit")) { wantToQuit= quit(command); } Whataboutthehelpcommand ?

  38. Methodscohesion • Eachmethodresponsibleforonewelldefinedtask. Example:

  39. Classcohesion • RULE: eachclassshouldrepresentonewelldefinedentity of theproblemdomain • Whatifwe introduce objects in theroomswhichcould be takenbytheplayer. Theplayer has a weightlimitforcarryingitems. • Solution 1:includetwofields in theRoomclass: elementDescription and elementWeightadditionally in order to specifytheobject in eachroom. Thedescriptioncould be printedwhenenteringtheroom • Lowcohesion: theroomclassnow describe theroom and oneobject. Italsosuggeststhatanobjectistied to a certainroom, whichisnotnecessarily true. • Solution 2: create a new class (Element) withfieldsfordescription and weight. A roommayhave a pointer to oneor a list of theseElements

More Related