Changes for page Clean Code

Last modified by chrisby on 2024/05/20 08:54

From version 1.5
edited by chrisby
on 2023/11/17 21:42
Change comment: There is no comment for this version
To version 1.7
edited by chrisby
on 2023/11/17 21:45
Change comment: There is no comment for this version

Summary

Details

Page properties
Content
... ... @@ -1,940 +1,7 @@
1 -# Clean Code
1 +Clean code is the practice of writing code that is easy to understand and maintain. Every programmer should be familiar with the principles of clean code.
2 2  
3 -### General considerations
3 +### Topics
4 4  
5 -* "The only way to go fast is to go well." To code clean, you have to code clean.
6 -* Refactor bad code immediately and not later because "Later equals never." (LeBlanc's Law)
7 -* A developer reads much more than he writes. Clean code is meant for people reading it to save their time.
8 -* The first draft of a concept is always dirty. The trick is to improve it step by step until it is clean. No one writes clean code off the cuff.
9 -* Always use English as language in your code and documentation.
10 -* Practice makes perfect!
5 +{{children/}}
11 11  
12 -## Expressive names
13 -
14 -*
15 -
16 -Choose meaningful names.
17 - *
18 -
19 -Names should be chosen as carefully as the name of his firstborn child.
20 - *
21 -
22 -Implicity: It should be self-evident from reading the code how it works.
23 -*
24 -
25 -Choose names that are descriptive of the purpose.
26 - * For example, a variables name should stand for one concept. Its better to have a variable unorderedNumbers, which is sorted and stored in orderedNumbers instead of saving both lists in the same variable numbers.
27 -*
28 -
29 -Avoid misinformation.
30 - * For example, ambiguities, confusion with similar names or easily confused characters (l and 1, O and 0).
31 -*
32 -
33 -Make differences clear.
34 - * Avoid very similar expressions.
35 - * Blank words are redundant (a, an, the, info, data).
36 -* Use pronounceable names. Programming is a social activity that people talk about with others.
37 -*
38 -
39 -Use searchable names.
40 - * The length of a name should correspond to the size of its scope. For local counting loops, one letter is enough; if the variable is used in multiple places in the code, it needs a longer name.
41 -*
42 -
43 -Avoid encodings.
44 - * There should be no references to the scope or type of the variable in the name.
45 -*
46 -
47 -Avoid mental mappings.
48 - * The name of a variable should not have to be mentally translated into another. Clarity has absolute priority.
49 -*
50 -
51 -Class names
52 - * Names of classes consist of nouns or substantivistic expressions.
53 -*
54 -
55 -Method names
56 - * They consist of a verb or an expression with a verb. Accessors, mutators, and predicates should be named after their value and follow the JavaBean standard (prefixes: get, set, is, has).
57 - * Overloaded constructors can lead to confusion, e.g. if a float is to be passed once and an int once. Constructors should be declared as private and functions should be used to create instances whose names highlight the difference.
58 -* Avoid humorous names.
59 -*
60 -
61 -Choose one word per concept.
62 - * "get" instead of "fetch" and "retrieve".
63 -* No puns.
64 -* Avoid ambiguities as in the word "add" (addition or adding).
65 -*
66 -
67 -Use names of the solution domain.
68 - * Programmers will read your code, so use technical language.
69 -*
70 -
71 -Use names of the problem domain.
72 - * If there are no terms from computer science. Then at least domain experts can refer to it.
73 -*
74 -
75 -Add meaningful context.
76 - * Together with the names of other variables and methods, this context can be created.
77 -*
78 -
79 -Do not add superfluous context.
80 - * Shorter names are better than longer ones, as long as they are clear. Names should be simple, but meaningful.
81 -* Dare to rename things. Your colleagues should be grateful for improvements.
82 -
83 -## Functions
84 -
85 -*
86 -
87 -Small!
88 - * Maximum 20 lines.
89 - * Blocks and indentations should also be short. Blocks within if, else, or while statements should be one line long. Presumably, a function call should be included.
90 - * Indentation depths should not be greater than one or two levels.
91 -*
92 -
93 -Functions should do one task.
94 - * They should do it well. They should do only that task.
95 - * All instructions within the function should be on the same abstraction level. Sub-functions perform tasks which are one abstraction-level deeper.
96 - * Sections within a function are symptoms that it performs more than one task. These function should be decomposed.
97 -*
98 -
99 -One abstraction level per function
100 - * The Stepdown Rule: Code should be easy to read top-down: Below a function should be its sub-functions going down one level of abstraction.
101 -*
102 -
103 -Switch statements
104 - * They are unfortunately large. Rule of thumb: they can be tolerated if they appear only once, are used to create polymorphic objects, and are used behind an inheritance relationship so that they are invisible to the rest of the system.
105 -* Use descriptive names.
106 -*
107 -
108 -Function arguments
109 - * The fewer the better. Triads should be avoided. More than three arguments are forbidden. The fewer arguments a function takes, the easier it is to understand and the less error-prone it is.
110 - *
111 -
112 -Common monadic functions:
113 - *
114 - * ask the argument a question or manipulate/convert it
115 - *
116 -
117 -events: one input, no output, reader should recognize that it is about an event by the functions context and name
118 -
119 -→ Otherwise, rather not use monadic functions.
120 - * Avoid flag arguments. It shows that the function performs two tasks, depending on whether the flag is true or false.
121 - * Dyads should be converted to monads if possible, but cannot always be avoided. Sometimes they are also useful, e.g. when passing 2D coordinates, because the arguments are connected by a cohesion.
122 - * Argument objects: If many arguments are to be passed to a function, it often makes sense to combine them as a separate concept in a new class.
123 - * Verbs and keywords: Function names can form a logical combination with the arguments, such as "write(name)", or you can integrate the arguments into the function name, e.g. to avoid interchanges.
124 -*
125 -
126 -Avoid side effects.
127 - * Functions should do only what their name says.
128 - * Functions with output arguments, i.e. objects that are used as input and processed, should not be used. Instead, with a method of the object should be used to make it clear that the object itself is being processed.
129 -*
130 -
131 -Separate statement and query
132 - * Functions should either provide information about the object or do something, but not both.
133 -*
134 -
135 -Exceptions are better than error codes (with if/else statements).
136 - * Error.java is a dependency magnet with its enumeration of error codes and should be replaced with exceptions and derivations of the Exception class. → Easy extensibility (OCP)
137 - * Extract try/catch blocks. Error processing is a task. So it deserves its own function.
138 -*
139 -
140 -DRY - Don't repeat yourself principle.
141 - * Duplications in the code and multiple uses can usually be avoided by abstractions.
142 -*
143 -
144 -Structured programming
145 - * Small functions may occasionally contain return, break, and continue statements. goto statements would only make sense with large statements and should therefore be avoided.
146 -*
147 -
148 -How do you write good functions? → Always the same principle:
149 - 1. Write down thoughts, restructure, etc.
150 - 1.
151 -
152 -Refactoring until one is satisfied and passes all tests.
153 -
154 --> TODO: Usually you write dirty code first and then refactor until its clean. Nobody write clean code out of the blue.
155 -* System are not programs to be written, but stories to be told. Everything must fit together.
156 -
157 -## Comments
158 -
159 -* The code should speak for itself. Comments are at best a necessary evil, if you can't express it through the code.
160 -*
161 -
162 -Comments can lie because they can hardly be maintained.
163 - * Comments are not a substitute for bad code.
164 - * Explain them in and through the code.
165 -
166 166  
167 -
168 -### Good comments:
169 -
170 -* Legal comments: Copyrights, Authors. It's best to reference a standard license or external document so as not to deface the code.
171 -* Informative comments
172 -* Statement of intent
173 -* Clarifications
174 -* Warnings of consequences
175 -* TODO comments
176 -* Reinforcement of code that is otherwise perceived as unimportant
177 -* Javadocs in public API's.
178 -
179 -### Bad comments
180 -
181 -* Whispers
182 -* Redundant comments
183 -* Misleading comments
184 -* Prescriptive comments
185 -* Diary comments
186 -* Chatter
187 -* Do not use a comment if it can be replaced by a descriptive function or variable.
188 -* Position identifier
189 -* Comments after closing parentheses to emphasize sections may make sense for long functions. They should be avoided and the function abbreviated.
190 -* Attributions and asides are unnecessary because source control systems take over this job.
191 -* Commented code
192 -* HTML comments
193 -* Non-local information
194 -* Too much information
195 -* Unclear context
196 -* Function header
197 -* Javadocs in non-public API's
198 -
199 -## Formatting
200 -
201 -* Formatting is important. Its purpose is good communication with other programmers and it influences all subsequent versions of the software.
202 -* Team rules: Team formatting rules take precedence over personal preferences. A team of developers should agree on a uniform formatting style beforehand. You should define the style in the code formatter of your IDE.
203 -
204 -### Vertical formatting
205 -
206 -* Rule of thumb: Typically 200 lines per file. Maximum 500 lines.
207 -* Newspaper metaphor
208 -* Vertical openness between concepts: Use blank lines as separators of related code units.
209 -*
210 -
211 -Vertical density
212 - * Lines of code that belong closely together should be close together (conceptual affinity - e.g., similar names or tasks they perform). This hardly works for related concepts in different files (like protected variables), so such constructs should be avoided. The reader should not have to search through many files to understand a concept.
213 - * Variables should be declared as close as possible to where they are used. Control variables should be declared inside the loops. Instance variables should be declared at the beginning of a class. Calling functions should be placed above called functions to create a reading flow.
214 -*
215 -
216 -Vertical arrangement
217 - * The more important the concept or the higher the level of abstraction, the further up something should be in the code; details belong at the bottom.
218 -
219 -### Horizontal formatting
220 -
221 -* Short is better. Maximum 120 characters.
222 -*
223 -
224 -Horizontal openness and density
225 - * Whitespaces to group tasks that are closely related or separate tasks that have weaker ties to each other. For example, use whitespaces around assignment operators, between function arguments, or to make operator precedence clear.
226 -*
227 -
228 -Horizontal alignment
229 - * Indentations are a must. Indentation rules should never be broken. You should refrain from abbreviating small if statements or while loops in a line.
230 -* Avoid dummy sections = code sections that do nothing and often just contain a semicolon. If you do use them, the semicolon should not be at the end of the same line, but indented on the next line.
231 -
232 -## Objects and data structures
233 -
234 -### Data Abstraction
235 -
236 -* Objects hide its data and implementation details while data structures just contain publicly accessible data. They are totally different concepts and should not be mixed.
237 -* The purpose of private variables is that they are not accessible from the outside. If you add getters and setters to each variable, this concept is softened.
238 -* Getters and setters are direct accesses to the variables. However, we often want to return abstract concepts such as averages or proportions and not work directly with this data.
239 -
240 -### Data/object anti-symmetry
241 -
242 -* Objects hide data and reveal functions to work with that data. Data structures reveal their data and have no functions.
243 -* Procedural code (code that uses data structures) makes it easy to add new data structures without changing the existing data structures. In contrast, OO code makes it easy to add new classes without changing existing functions. The phrase "everything is an object" is a myth.
244 -* Good programmers are aware of this fact and use the appropriate approach depending on the situation.
245 -
246 -### Law of Demeter
247 -
248 -* A module should not know anything about the inside of the objects it manipulates. The inside should not be revealed via accessors.
249 -*
250 -
251 -A method f of a class C should only call the following:
252 - * other methods of C
253 - * objects created by f.
254 - * objects passed to f as arguments.
255 - * objects contained as instance variables of C.
256 -*
257 -
258 -The method f should not call methods of objects returned by an allowed function. Speak to friends, not strangers.
259 - * Don't use friend.getStranger().doStrangeStuff().
260 - * Instead, the neighbor should provide a proper service: friend.callServiceInternallyUsingStranger()
261 -*
262 -
263 -Train catastrophe: train wrecks should be avoided and, if necessary, split by defining new variables as intermediate storage. E.g. don't use obj1.getObj2().getObj3().getObj4()
264 - * -> Maybe for clarification, trains are okay e.g. for functional programming, but not when you walk through a lot of objects/units of your code. Coupling would be high. -> stiffness
265 -* Hybrids are present when classes contain public variables or public accessors/mutators for private variables and thus reveal them. This is also referred to as feature envy because these hybrids can be treated similarly to data structures. Avoid such structures. They have the disadvantages from both concepts because they make it difficult to add new features as well as new data structures.
266 -* Hide structure: If you know too much about an object, e.g. because you use train wrecks, you should replace them with structures that do not reveal any information about the object.
267 -
268 -### Data Transfer Objects (DTO)
269 -
270 -* Ideally, they contain only public variables and no functions.
271 -* There are useful structures, for example when communicating with databases or parsing messages from sockets.
272 -* Bean form: Its a standard where private variables have getters and setters. But they offer no advantages compared to ideal-typical DTO's. They might only appear like objects but are actually data structures.
273 -* Active records: public variables and navigation methods. They are often direct translations of database tables and other data sources. Avoid treating them like normal objects and don't include business rules in them, otherwise hybrids will result. Active records should be treated as data structures and business rules should be written as separate classes.
274 -
275 -## Error Handling
276 -
277 -### General Considerations
278 -
279 -* Error handling is important. But if it dominates so much that it obscures the logic behind it, it is wrong.
280 -*
281 -
282 -Use exceptions instead of return codes.
283 - * The latter are confusing and it's easy to forget to check them by the caller.
284 - * Error handling is a separate task and deserves its own function.
285 -*
286 -
287 -Write try-catch-finally statements first
288 - * New code should be tested in such structures. If an error occurs, the program will still be executed. Afterwards, the error can be analyzed and refactoring of the code can be done.
289 -* Error handling should be written separately from the main code logic. This improves the maintainability of our code.
290 -
291 -### Should unchecked exceptions be used?
292 -
293 -* Checked exceptions are a violation of the OCP. Between throwing and catching the exception, the signatures of all functions must be declared to pass it on. A change to one function may require a change to all functions above it.
294 -* Throw exceptions with context so that you can trace the source and location. Stack traces are useful, but do not provide the purpose of the failed operation. Exception should be passed with an informative error message. The failed operation and type of failure should be mentioned. Logging should take place in the catch block.
295 -* By passing exceptions to higher levels of abstraction, the higher level structures know something about the lower level ones, which is a violation of Demeter's law.
296 -
297 --> TODO: A comment about error handling in Go would be interesting. Go does very often return errors, but generic error interface, not specific types. So this does not violate OCP I think but rather indicates, that an operation may fail.
298 -
299 -### Definitions
300 -
301 -*
302 -
303 -Define error classes with the caller's requirements in mind.
304 - * Errors can be classified by source or type. However, attention should be paid to how exceptions are caught. → Wrapping/wrapping third-party API's is one of the best practices. This minimizes dependencies, one can easily switch API or simulate and test a third party API. One is no longer bound by the API design decisions of the vendor.
305 -*
306 -
307 -Define the normal flow
308 - * It sometimes makes sense to replace exception handling with the special case pattern so that no errors are thrown and the program is interrupted. To do this, you create a class or configure an object to handle the special case. Instead of triggering an XXXNotFoundError, one could return a default value or an empty list in the special case. Either build an appropriate case distinction into a method or use prebuilt tools that generate an emptyList if the passed object is null.
309 -
310 -
311 -
312 -### The Null Problem
313 -
314 -*
315 -
316 -Do not return null.
317 - * This can quickly overload the program with null checks. Instead, you can apply exception handling with nullExceptions or return special-case objects, although the latter is often easier to apply.
318 - * A common source of errors when returning null is that checking for null is forgotten and thus checked exceptions are thrown.
319 -*
320 -
321 -Do not pass null.
322 - * Passing null to methods is even worse. You could create your own exception type, but it has to be handled. You could use assert, but then runtime errors occur. Best to forbid passing null arguments.
323 -*
324 -
325 -How to handle null
326 - * Work with Java's Optional class, return empty lists or default objects instead of null.
327 -
328 -## Boundaries
329 -
330 -* Boundaries are about the integration of third-party packages.
331 -
332 -### Working with third-party code:
333 -
334 -* Flexible interfaces are often useful, but due to their broad application possibilities, you can also miss the specific requirements of the programmer. For example, there might be too many access rights through methods, or the code would have to be corrected in several places when modifying such a library.
335 -* By embedding the library in its own class, details can be hidden and functionality reduced. This improves independence and maintainability.
336 -* Not every third-party library needs to be encapsulated. However, it should not carelessly be passed around the system. You should restrict it to the class or close family of classes in which it is used. It should not be used as an argument or return value when using public API's.
337 -
338 -### Explore and get to know boundaries
339 -
340 -* The point of third-party code is to save time. It's not our job to test code for functionality.
341 -* To get to know the API, one could read the documentation, which takes a long time. You could include the API in your program, but debugging is time-consuming and you don't know if the bug was generated by your own or third-party code.
342 -*
343 -
344 -Learning tests are better suited.
345 - * One can write small test environments in the same way as one would integrate the third-party code into one's own software. Now one can test to check the functionality and understand it. The focus of the tests is on what we need from it.
346 - * Learning tests are better than free. In addition to understanding, the tests can determine if the latest updates to the external library affect compatibility.
347 -
348 -### Miscellaneous
349 -
350 -*
351 -
352 -Use code that doesn't exist yet.
353 - *
354 -
355 -If you haven't written the API yet, it makes sense to set up a desired interface for how the API should work. This will provide a clean separation. In the end, you can use an adapter to close the bridge between the desired interface and the API.
356 - *
357 - * Explanation of the last sentence: Once the actual API is built, there may be differences between the initially designed interface and the final implementation. An adapter is a design pattern that can be used to reconcile these differences. It allows the existing interface to be used without modifying the actual API, essentially translating calls from the interface to the API and vice versa.
358 - * I am really not sure about that last sentence. Better re-read it.
359 -*
360 -
361 -Clean boundaries
362 - * It's better to depend on something you control than something you don't. Your code should depend of wrapper classes instead of directly depending on the third-party library.
363 - * Dependence on third-party code can also be avoided by referencing it in as few places as possible.
364 -
365 --> TODO: Wrap 3rd party libraries.
366 -
367 -## Unit Tests
368 -
369 -### Introduction
370 -
371 -* Every detail of the code should be meticulously checked for functionality. This means that results are checked for correctness and inner variables (even at runtime) are compared with expected values. The entire definition and value space should be tested.
372 -*
373 -
374 -Tests should work as well as explicitly fail for the tests to be considered passed. Positive results show that the function does what it is supposed to, negative results show that the function observes limits.
375 - * own: I think it is important to handle negative results as well as the classes should handle them in a very specific manner which is part of its expected behavior as well.
376 -
377 -### Three laws of Test Driven Development (TDD)
378 -
379 -1. You must not write production code until you have written a failing unit test.
380 -1. The unit test must not contain more code than is required for the test to fail and compile correctly.
381 -1. You must write only enough production code to pass the currently failing test.
382 -
383 -* Writing a test takes about 30 seconds and is done just before writing the production code. Thus, dozens of new tests can be created per day.
384 -
385 -### Why should tests be kept clean?
386 -
387 -* When the production code is changed, the test code must also be changed. For this reason, tests should also be kept clean. Test code is just as important as production code. Unclean tests will eventually not be used and will ensure that production code gets dirty as well.
388 -* Unit testing ensures that code remains flexible, maintainable and clear. With testing, you're not afraid to change your code. Without tests, every change is a potential bug. The more complete the test coverage, the less the fear.
389 -* An automated suite of unit tests that cover production code is the best way to keep it clean.
390 -
391 -### How to keep tests clean?
392 -
393 -* Most important feature: readability. The criteria are the same as for production code: Clarity, simplicity, and density of expression.
394 -* Details are problematic in code if they obscure the purpose. If they are necessary at all, they should be hidden in deeper structures such as functions with catchy names.
395 -* Domain-specific language: Refactoring in a constantly ongoing process. During refactoring, an API develops along the way, which is useful for future tests.
396 -* The double standard: test code should be clean, but it does not need to be as CPU or memory efficient as production code because there are only small tasks to process.
397 -
398 -### One assert per test
399 -
400 -* This is a useful guideline that may be broken sometimes, for example, if it would generate code duplication. Stick to the code!
401 -* Stick to the given-when-then convention.
402 -* Consider using the Template Method pattern.
403 -* One concept per test. Then it is easier to understand what the individual test is supposed to do. If everything was thrown together, then it would be hard to assign the individual statements to the purposes.
404 -
405 -### FIRST - Rules for clean tests
406 -
407 -* Fast: So that they are executed often and regularly.
408 -* Independent: The failure of a test should not affect other test results.
409 -* Repeatable: In any environment, tests should be repeatable and work.
410 -* Self-validating: Tests should have a boolean output depending on whether they fail or work. Time-consuming manual validation is thus eliminated.
411 -* Timely: Tests should be written before production code.
412 -
413 -## Clean classes
414 -
415 -### Class structure
416 -
417 -*
418 -
419 -Order:
420 - * public static constants
421 - * private static variables
422 - * private instance variables (there are rarely good reasons for public variables).
423 - * public functions → private functions called by public functions should be placed immediately below the calling function according to the stepdown rule
424 -* Encapsulation: variables and utility functions should be private if possible. However, it may still happen that protected is required. However, this should only be used if there is no other way.
425 -
426 -### Classes should be small
427 -
428 -* But not too small either. Avoid god classes. The amount of responsibilities of a class are a measure whether a class is too big or not.
429 -* The name of a class gives information about its responsibility. If you can't find a suitable name, there are probably too many responsibilities.
430 -* Very general words like 'Processor', 'Manager', or 'Super' are so general that they are an indication of too many responsibilities.
431 -* You should be able to describe the class in 25 words without using the words "and", "or", and "but".
432 -* SRP - Single-Responsibility Principle: A class or module should have exactly one reason for a change and thus exactly one responsibility.
433 -* It is important to make the code work. This is one of the important concerns of a programmer. Often it is forgotten that the cleanliness of the code is also an important concern that must be addressed. Having many small classes is a good thing, because you know where to look without having to wade through the clutter than if you have a larger class with multiple tasks. Small classes are easier to understand.
434 -* Many small classes reduce the occurrence of merge conflicts.
435 -* It's easier to write test for small classes as less code and fewer dependencies are to be considered.
436 -
437 -### Cohesion
438 -
439 -* Cohesion between a method and a class is measured by how many class/instance variables the method manipulates.
440 -* The cohesion should be high. For this purpose, exactly those methods and variables are combined in a class that belong together. In a maximally cohesive class, every function uses every variable, which is neither advisable nor possible because it clashes with other principles.
441 -* If one wants to write many small functions, proliferation (multiplication) of instance variables can occur. It can happen that only a part of the instance variables is used by methods, thus the cohesion is low. Then it makes sense to split the class and create two or more classes with higher cohesion.
442 -
443 -### Maintaining cohesion leads to many small classes.
444 -
445 -* Decomposing large functions into smaller ones is often a good opportunity to reduce the size of the class.
446 -* Clean code is often longer than dirty code, but it is worth the space and effort.
447 -* Refactoring code can be done well step by step accompanied by unit testing.
448 -*
449 -
450 -Schedule changes
451 - * After each change to a class, it must be retested because potentially other code has been corrupted. Clean code minimizes this risk.
452 - * If private methods exist that serve only a small subset of a class (for example, is used by only a few functions), this may indicate potential for improvement, such as by creating a separate class.
453 - * Open-Closed-Principle (OCP): Closed refers to the fact that one can make a change to the program and other classes can remain closed. Open means that modular extensions can be built in easily, for example by adding new classes or subclasses.
454 -
455 -### Isolate changes
456 -
457 -* There are concrete classes that contain implementations and there are abstract classes that contain concepts. When a client class depends on details, you have the problem that the details can change. Abstract classes and interfaces help to reduce the dependency by providing signatures. Use mocks with fixed behavior for unit testing.
458 -* Isolation makes it easier to understand all elements of a program. Consider the Dependency Inversion Principle (DIP): Classes of abstractions should not depend on concrete details.
459 -
460 -## System
461 -
462 -* As in the construction of a city, the construction planning/concepts should be strictly separated from the departments/details. There are different, clearly delineated responsibilities in the development team.
463 -
464 -### Separate construction and application of a system
465 -
466 -* Software systems should separate the startup process, when application objects are constructed and dependencies are "wired," from the runtime logic that takes control after startup.
467 -* The startup process is a Concern (concern, responsibility). The separation of Concerns is one of the oldest and most important design techniques.
468 -* The mixing of startup process and runtime logic is called lazy initialization/evaluation and should be avoided.
469 -* Separation in main: This is a possible solution approach. Main starts a builder that initiates the configuration objects. Independently of this, the application (runtime environment) to which the objects are passed is started in main.
470 -* Factories: Applications themselves should not create objects, because this undermines a separation of runtime and startup as well as represents a second responsibility. Therefore, you can set up factories from which an object can be requested.
471 -* Even better is a Dependency Injection (DI), with which an Inversion of Control can be achieved. Here, the main routine or a special container for it creates an object, which is passed to the application. In JNDI lookups, the application asks a directory server for an object and receives it in return. True DI directly allocates all resources to the application, so that the application remains passive and does not need to request anything. This is often done via setter or constructors injection. For example the Spring Framework takes care of these tasks.
472 -* Lazy initialization is an optimization technique that makes sense, but is often used too early. Its advantage is that objects are created only when they are needed. Many containers provide mechanisms that can be used for this.
473 -
474 -### Upscaling
475 -
476 -* Systems are never built right the first time, but are constantly expanded using incremental and iterative agility. Since you don't know what the future holds, you should focus on the concerns that are important today and implement them. Systems in software development must constantly be subjected to refactoring, but only when it is necessary.
477 -* Software systems do not require advance planning of the system architecture, provided that the concerns are separated from each other.
478 -* DBMS: Database management system for storing all objects so that they do not have to be stored in flat files.
479 -
480 -### Cross cutting concerns and aspects
481 -
482 -* Cross-cutting Concerns: These are problems that are built into many objects in the system, but cannot be combined into one module. The solution is Aspect-oriented programming.
483 -*
484 -
485 -Java proxies
486 - * Disadvantages: Too extensive and too complicated. In addition, no system-wide, interesting execution points can be defined. They are not recommended.
487 -*
488 -
489 -Pure Java AOP frameworks
490 - * Examples: Spring AOP
491 - * POJO's = Plain Old Java Objects → are focused exclusively on their domain.
492 - * Principle: Convention over Configuration, KISS, DRY.
493 - * Advantage: Simple and accordingly quick to learn. It is integrated into Java and is sufficient in most cases to implement AOP.
494 -*
495 -
496 -AspectJ
497 - * This tool has the largest range of AOP functions, but you have to learn a lot of new things. On your way to becoming a wise programmer, you should learn it, because it is worth the effort.
498 -
499 -### Test the system architectures.
500 -
501 -* Big Design Up Front (BGUF) is to be avoided. It is important, from the beginning, to separate all Concerns and thus gradually create small, well-testable modules. If difficulties arise, then you have to restructure later. However, this cannot be foreseen from the beginning, let alone planned.
502 -* You start with a naively simple, but nicely decoupled architecture that meets current requirements and work your stories (current concerns) into it. As the size grows, so does the infrastructure. Of course, you should still approach the project with goals and means of control. There are plans and general scopes to consider. As long as the components are decoupled, restructuring can be done well.
503 -* Summary: An optimal system architecture consists of modularized Concern domains, each implemented with POJO's. The different domains are integrated by minimally invasive aspects or aspect-like tools. This architecture, like the code, can be developed in a test-driven manner.
504 -
505 -### Optimize decision making
506 -
507 -* In sufficiently large systems, one person alone can't make all decisions and must relinquish decision-making power. The decision should be made by the most qualified person.
508 -* It is often forgotten that decisions should be postponed until the last possible point because then has the best level of knowledge for a decision. Keep options open.
509 -* The agility offered by a POJO system with modularized concerns enables us to make optimal just-in-time decisions based on the current state of knowledge. The complexity of these decisions is also reduced.
510 -
511 -### Miscellaneous
512 -
513 -*
514 -
515 -Apply standards wisely when they add value.
516 - * Standards make it easier to reuse ideas and components, recruit developers with relevant experience, encapsulate good ideas, and link components. But the process of creating standards can sometimes take too long for the industry to wait; and some standards lose touch with the real needs of the target audience.
517 -*
518 -
519 -Systems need domain-specific languages
520 - * Domain-Specific Languages (DSL) allow all levels of abstraction and all domains of the application to be expressed as POJO's, from the abstractly formulated policy to the concrete details.
521 -*
522 -
523 -Summary
524 - * An invasive architecture overwhelms domain logic and degrades agility. Therefore, aspect-oriented solutions should be used for the domains for which POJO's cannot be applied.
525 - * Use the simplest, working solution!
526 -
527 -## Emergence
528 -
529 -### Clean software through emergent design
530 -
531 -*
532 -
533 -Simple Design by Kent Beck - Four rules for simple design, starting with the most important rule:
534 - 1. It passes all tests.
535 - 1. It contains no duplication.
536 - 1. It embodies the intent of the programmers.
537 - 1. It minimizes the number of classes and methods.
538 -*
539 -
540 -Simple design rule 1: Pass all tests.
541 - * If something is not testable, it is not verifiable and probably should not be used.
542 - * Tests are easier to perform if there are small modules with a clear purpose (SRP). Couplings should be avoided. The more test you write, the more you try to minimize coupling and apply principles like DIP and techniques like DI, interfaces, and abstractions more often. Therefore, systems should be tested continuously during their evolution. This automatically leads to weak coupling in stronger cohesion.
543 -*
544 -
545 -Simple Design Rules 2-4: Refactoring
546 - * The fact that we have tests takes away the fear that we might break the code by cleaning it up.
547 - * Apply virtually everything we've learned so far in this document.
548 -
549 -### No duplication
550 -
551 -* Duplication leads to extra work, extra risks and unnecessary complexity.
552 -* Duplication does not have to mean just having the same functionalities or similar implementations. For example, two methods that provide information about an object (such as size() and isEmpty()) could be combined into one if block, their implementations linked together instead of being implemented separately. For example isEmpty() {return size() == 0;}
553 -* Reuse in miniature: When methods are abstracted and separated, you may notice that you can use that method in other areas. This greatly reduces the complexity of the system.
554 -
555 -### Expressiveness
556 -
557 -* It's easy to write and understand messy code because you've spent a long time thinking your way into it. But the amount of time it takes for others to get in and understand is comparatively huge, as the code is also sifted through many times. Therefore, clean code is necessary to save other people time and effort. Besides, most programmers can barely decipher their dirty code themselves after a few weeks which also costs time.
558 -* The main costs of a software project are caused by long-term maintenance.
559 -* The clearer an author presents the intention of his code, the less time others have to spend on understanding it.
560 -* One can lend expressiveness to one's code if, for example, one is guided by known design patterns and their naming or other standard nomenclature. Similarly, tests should convey what a class under test is about.
561 -* The most important way to write clean code is to try it out. Just because the code works, one should not move on to the next task. You should take time to simplify it and make it more readable. If you get stuck, you're probably done. Diligence is a valuable resource.
562 -
563 -### Minimal classes and methods
564 -
565 -* One should not overdo it when decomposing classes and methods. That's why you should create as few of them as possible, but as many to write clean code and satisfy the other principles. Since this is the least important rule, the other three rules take precedence. It should just not be seen dogmatically, to be followed blindly, but seen pragmatically in the context of the other rules and principles. Besides, that would unnecessarily weaken cohesion.
566 -
567 -## Concurrency
568 -
569 -* Objects are abstractions of processing, threads are abstractions of timing.
570 -
571 -### Why concurrency?
572 -
573 -* Concurrency is a decoupling strategy. The what is decoupled from the when. Concurrency is important and can improve the throughput and structure of an application. On the other hand, it is hard to write clean concurrent code and it is harder to debug.
574 -* Concurrency doesn't always improve performance behavior and but it always changes the design of the program. When working with containers, you should know exactly what you are doing.
575 -* Concurrency demands a certain amount of management effort, which degrades performance behavior and requires additional code. Proper concurrency is complex, even for simple problems. Concurrency bugs are usually not reproducible; therefore, they are often written off as one-time occurrences (cosmic rays, glitches, etc.) rather than treated as true defects, as they should be. Concurrency requires a fundamental change in design strategy.
576 -* Challenges: When threads access out-of-sync data, incorrect results may be returned.
577 -
578 -### Principles of defensive concurrency programming
579 -
580 -*
581 -
582 -SRP
583 - * Changes to concurrent code should not be mixed with changes to the rest of the code. So you should separate the two cleanly.
584 - * Concurrency has its own life cycle with development, modification, and polish.
585 - * Concurrent code is associated with special problems that have a different form and often a higher degree of difficulty than non-concurrent code.
586 -*
587 -
588 -Constrain the range of validity of data
589 - * Take data encapsulation to heart; restrict access to all shared resources.
590 - * So you should keep the mass of shared code low, and shared resources should only be claimed by threads that need them. That means one should divide the blocks and resources into smaller blocks if necessary.
591 -*
592 -
593 -Work with copies of the data
594 - *
595 -
596 -One can sometimes get around data sharing by:
597 - *
598 - * working with copies of objects and treating them as read-only objects.
599 - * making multiple copies of an object, having multiple threads compute results on it, and merging those results into a single thread.
600 - * It is often worth creating multiple objects to avoid concurrency issues.
601 -*
602 -
603 -Threads should be as independent of each other as possible.
604 - * Threads should not share data or know anything about each other. Instead, they should prefer to work with their own local variables.
605 - * Try to decompose data into independent subsets that can be processed by independent threads, possibly in different processes.
606 -
607 -### Things to learn before working with concurrency
608 -
609 -*
610 -
611 -Get to know your library
612 - * Use the thread-safe collections provided.
613 - * Use the executor framework to execute disjointed tasks.
614 - * Use non-blocking solutions if possible.
615 - * Multiple library classes are not thread-safe.
616 -*
617 -
618 -Thread-safe collections
619 - * So you should use ConcurrentHashMap instead of HashMap.
620 - * Author's recommendations: java.util.concurrent, java.util.concurrent.atomic, java.util.concurrent.locks.
621 -*
622 -
623 -Get to know execution models
624 - *
625 -
626 -Basic definitions
627 - *
628 - * Bound Resources
629 - * Mutual Exclusion
630 - * Starvation
631 - * Deadlock
632 - * Livelock
633 - * Thread Pools
634 - * Runnable
635 - * Callable
636 - * Future
637 - * Java Executor Framework
638 - * Producer-consumer
639 - * Reader-recorder
640 - * Philosopher problem → Study algorithms and their application in solutions.
641 -
642 -### Watch out for dependencies between synchronized methods
643 -
644 -* Dependencies between synchronized methods in concurrent code cause subtle bugs.
645 -*
646 -
647 -Avoid applying more than one method to a shared object. If this is not possible, you have three options:
648 - * Client-based locking: the client should lock the server before the first method is called and ensure that the lock includes the code that calls the last method.
649 - * Server-based locking: Create a method in the server that locks the server, calls all methods, and then unlocks the server. Have the client call the new method.
650 - * Adapted Server: Create an intermediate component that performs the lock. This is a variant of server-based locking if the original server cannot be changed.
651 -*
652 -
653 -Keep synchronized sections small.
654 - * Locks are expensive because they add administrative overhead to delays. On the other hand, critical sections must be protected.
655 - * Critical sections, are parts of the code that are only executed correctly if several threads do not access it at the same time.
656 - * Keep synchronized sections as small as possible.
657 -
658 -### Writing correct shutdown code is difficult
659 -
660 -*
661 -
662 -You should think about a shutdown as early as possible and get it running as soon as possible. If you wait, it will always take longer. Study the available algorithms because this task is probably harder than you think.
663 - * TODO: Why do I need shutdown code?
664 -
665 -## Case studies
666 -
667 -* Deep changes in the code can often destroy its functionality. The better way would be to make small changes step by step and to ensure the correct functionality of the module by testing after each change. That is the spirit of TDD: A system must be executable at all times. I must not maintain any changes that destroy the functionality of the code.
668 -* It can happen more often during refactoring that you insert things and remove them again shortly after.
669 -* Programmers who are satisfied with code that just works are behaving unprofessionally.
670 -* Nothing burdens a software project in the long run as much as bad code, because it rots away and its damage gets bigger and bigger. That's why you should get to work on it as soon as possible and clean it up.
671 -* Pathfinder rule: "Try to leave the code a little better than you found it." Code requires maintenance over time.
672 -* Professional review: It's not about badmouthing the other person, portraying yourself as better or denying their competence. It's about writing clean, simple, easy-to-understand code. And since nobody is perfect, everyone should accept constructive criticism from other programmers. Only from such criticisms can we learn. It's commendable and putting your code out there publicly for other programmers' peer review, after all, you're very likely to be criticized based on your mistakes. But a professional programmer knows that this is a good way to produce good code and that is the most important thing.
673 -
674 -## Smells and heuristics
675 -
676 -* Book recommendation: Refactoring by Martin Fowler
677 -
678 -### Comments
679 -
680 -* Inappropriate information: Comments should have technical annotations. Meta-data and change histories do not belong in source code.
681 -* Outdated comments: It is best not to write comments that can become outdated.
682 -* Redundant comments
683 -* Poorly written comments
684 -* Commented code → Delete!
685 -
686 -### Environment
687 -
688 -* The build process and testing should each be executed with a simple command or take place by pressing a button in the IDE.
689 -
690 -### Functions
691 -
692 -* The fewer arguments, the better.
693 -* Don't return argument objects. Instead, you should edit the state of an instance with methods.
694 -* Flag arguments are often a clear indication that the function performs two tasks and should therefore be eliminated.
695 -* Only one task per function.
696 -* Dead methods
697 -
698 -### Principles
699 -
700 -* As few languages as possible should be used in a source file.
701 -*
702 -
703 -Principle of least surprise:
704 - * A class should implement those behaviors that a programmer may reasonably expect from it.
705 - * Functions should not have unexpected side effects, but should be able to infer such things from the context of the method name. Tasks should be done consistently in the same way. E.g. naming variables according to the same system. One should choose one's conventions carefully and apply them conscientiously.
706 - * Code should be inserted where the reader would intuitively expect it. Sometimes programmers choose wrong responsibilities for specific tasks.
707 -* DRY: Don't Repeat Yourself. No Duplications. Any violation is a missed opportunity for abstraction. switch/case or if/else structures with the same condition should be abstracted. Polymorphism can be used here. Template methods and strategy patterns can be used for the same algorithms with different lines of code. Design patterns and the OOP are often specially designed to avoid code duplication.
708 -* Base classes should not depend on derived classes. The concepts of base classes should be independent of those of derived classes. I.e. in a base class one should not find the name of a derived class. Of course there are also exceptions. However, base classes and derived classes should be delivered in different jars. They should not know anything about each other. ◦ Not too much information. Interfaces with many functions cause strong coupling and you may have to implement functions you don't need. So instead you should provide small interfaces with scarce functionality. The fewer methods a class has, the fewer variables it knows and the fewer instance variables a class has, the better.
709 -*
710 -
711 -Delete dead code. Code is dead when it is no longer executed.
712 - * Where can you find dead code? In if/switch-case statements with impossible conditions, in catch statements where there is no throws in the try, or in utility methods that are never called.
713 -* Throw out junk: Empty default constructors, meaningless artifacts, information-less comments, functions that are never called.
714 -
715 -### Conventions
716 -
717 -* Fuses should not be turned off. So don't disable compiler warnings and tests and change serialVersionUID only as a last resort with utmost caution.
718 -* Define conventions. In most cases, this can be deduced from previously existing code. It does not matter where brackets are and to oppose such otherwise irrelevant specifications is childish. You can standardize your IDE formatter accordingly.
719 -* Magic numbers should be hidden behind constants. Strings are also meant by this. The only exception is when the meaning of a number is clear from the context of the code. For example, hours = second/3600 is acceptable. The 3600 does not have to be hidden behind a constant here. Also, constants should be used for long numerical values like Pi, so that other programmers don't have to write so many numbers, which also avoids typing errors. In all other cases, constants are appropriate because it becomes much more readable.
720 -* No arbitrariness: Every structure has its place, namely where it is needed and used. By convention, for example, a public class that is not an auxiliary class for another class should be at the top package level.
721 -
722 -### Variables
723 -
724 -* Vertical separation: Local variables should be defined immediately above their first place of use. Private functions should be defined below their first use. Code should be read fluently from top to bottom.
725 -* Hidden intentions: Run-on expressions (i.e. long expressions that could be broken into several smaller ones), Hungarian notation (i.e. including the type of a variable in its name), and magic numbers should not be used.
726 -* Use meaningful variables: In calculations, intermediate results should be stored in variables with meaningful names to make the code more readable. It is hard to overdo this method.
727 -* Encapsulate boundary conditions: If a boundary condition occurs more than once and is a compound expression (e.g. x + 1), then it is better if it is encapsulated in a new variable.
728 -
729 -### Functions
730 -
731 -* Function envy is when a method uses on accessors and mutators to manipulate the data within an object. It wishes to be part of the object so that it can access the data directly. One class accesses the internals of another class, so it should be avoided if possible. However, when weighed against other principles, it may be a necessary evil.
732 -* Selector functions are functions that make decisions and therefore contain, for example, a Boolean as an argument, the contents of which determine their behavior. Selector arguments should be avoided and the functions should be divided into smaller functions.
733 -* Methods falsely declared as static: In general, methods should rather not be declared as static. If one declares static methods, one should make sure that no polymorphism occurs and that all necessary data is given by the arguments. If you could declare a method both static and non-static, you should choose the latter. → Explanation: Static functions are not inherited. So if polymorphism should be used, i.e. inheritance and overwriting of methods should be used, this can only be done via non-static methods. How should that be possible? I call the class explicitly and not any object.
734 -* Function name should express action. If you need to take the documentation at hand to understand the action, then you should change the name.
735 -* Understand the algorithm: One should not just write down the code and change it until it somehow passes all tests. You should be sure that you fully understand the algorithm and know that it will do the job. I.e. after the code is made to work, one should refactor it until it is clean, expressive and understandable.
736 -* Encapsulate conditions: Boolean logic in particular is difficult to read. Therefore, one should decompose such constructs and encapsulate a new function. And avoid negative conditions. Positive conditions are easier to understand than single or even double negation.
737 -* Go only one abstraction level deeper in functions. This is one of the most important functions of refactoring.
738 -* Temporal coupling should not be hidden. You can counteract this by forcing the code into a certain order by making each step depend on the previous one. E.g. each function produces a result on which the following function depends → bucket brigade. Another programmer can read from the logic of the program that only this order makes sense.
739 -
740 -### Classes
741 -
742 -* Coding at the wrong level of abstraction. Concrete implementations should be where they are used and not an abstraction level higher. Higher level concepts belong in the higher abstraction levels. Functionality should be passed only to the classes that use it. Otherwise, the functionality must be built into a lower level.
743 -* Locate configurable data high. I.e. it should be in a high abstraction level and not buried in any lower function. Thus, they should be kept easily modifiable from above and can be passed down to a more concrete class as an argument if needed.
744 -
745 -### Miscellaneous
746 -
747 -*
748 -
749 -Avoid artificial coupling: General enums should not be included in special classes. Otherwise, other modules must establish a coupling to this special class only because of this, although the rest is uninteresting. The enum should get its own module and be included where it is needed. Artificial coupling = coupling of modules that serves no direct purpose.
750 - * -> I think this is also why one should not use entities as DTO's but rather create separate DTO's.
751 -* Be precise: Consider not only, but also all possible side effects (rounding errors, null, locking mechanism for updates, non-optimal type, duplications, ambiguities due to multiple results, etc.). Avoid ambiguities or inaccuracies.
752 -* Structure is more important than convention. Structures that enforce conformance are better than naming conventions.
753 -* Don't rely on your intuition about correct functionality. Test all special cases, limits, idiosyncrasies, and borderline cases.
754 -
755 -### Convert logical dependencies into physical ones
756 -
757 -* Brief explanation: physical design concerns the arrangement of modules in the folder/package hierarchy, that is, how files are physically arranged in the project. All other relationships such as calls, imports, interfaces, inheritance are logical structuring.
758 -* In the book this is explained in such a way: If a higher class knows a detail, which belongs actually into a lower class, this is a logical dependence. Because on the one hand the information should not be there at all, on the other hand this is an assumption which leads to errors if the lower class does not support this dependency completely (e.g. if the lower class works only up to the value 20, but the logical dependency is just 30). The conflict can be solved by writing the dependency physically to the lower class and giving the higher class access via a method. The lower class no longer depends on the detail of the higher class, but on an internal variable.
759 -
760 -### Java
761 -
762 -* Avoid long import lists by using placeholders. This reduces the coupling. The only drawback is when two classes have the same name, but this rarely happens. This could also be an indication for a bad choice of names. That's why you should find better, different names.
763 -* Constants should not be inherited via interfaces if this circumvents the rules for scopes. In such a case, they should be made available via static import.
764 -* Use enums instead of public static final ints.
765 -
766 -### Naming
767 -
768 -* Descriptive names. Meanings of classes, variables, functions, etc. may change as software evolves, so names should be adjusted.
769 -* Names should correspond to the abstraction level and should not say anything about the implementation. For example, in an interface, a method should be chosen to be just as general or specific as the rest of the methods.
770 -* If possible, use the standard nomenclature. E.g. when using the Decorator pattern, one should use Decorator in the name. There are many conventions. Others would be: toString(), isValid(), etc. Teams specify a Ubiquitous Language at the beginning of a project. This also makes it easier for the reader if the same conventions are always used in the project.
771 -* Choose unique names. Clarity can be justified even if the name is long for it.
772 -* Names should describe side effects. Even if the name becomes long, this behavior should be recognizable.
773 -
774 -### Tests
775 -
776 -*
777 -
778 -What is the right amount of tests?
779 - * A test suite should test everything that could go wrong in some way. As long as there are conditions that are not checked by the test or calculations that are not validated, the tests are insufficient.
780 -* Use a 'code coverage' tool. IntelliJ provides such a tool.
781 -* When ignored tests show ambiguity that means that behavior details are unclear because requirement details are unclear. This indicates that requirements still need to be clarified. Use @Ignore and possibly add a comment.
782 -* Test boundary conditions. The limits of the input and output values must be checked.
783 -* In case of bugs, test the neighborhood thoroughly. After finding the bug, you should test the function thoroughly. Often bugs are not alone.
784 -* Use the pattern of failure to diagnose. Sometimes you can see patterns that occur when tests fail. For example negative arguments cause all tests to crash. So take a step back and look at the big picture.
785 -* You might get clues examining the coverage patterns.
786 -* Tests should be fast. If they were slow, they would not be executed, especially if time is short.
787 -
788 -## Annex: Concurrency
789 -
790 -* When I/O is the bottleneck of your application, more threads will increase the performance in opposite to when CPU is the bottleneck.
791 -* Stress Testing: Checking the throughput of an application by sending a huge amount of requests and examining the response times.
792 -* Isolate concurrent code by putting it in a few separate classes.
793 -* Always consider the concept of execution paths: The amount of possible interleaving of instructions that are processed by at least two threads. For example, objects with mutable states could unintentionally cause different results doing the same operation twice.
794 -* Atomic operation = operation which can not be interrupted by other threads. But for unsynchronized processes threads can put instructions between two atomic operations.
795 -* synchronized prevents unintended side-effects.
796 -*
797 -
798 -Server-based locking is preferred over client-based locking.
799 - * Server-based locking: The class used takes care of internal locking, so the user has nothing else to worry about.
800 - * Client-based locking: User has to manually implement locking. This approach error prone and hard to maintain.
801 -* If there is no access to the server an adapter class can be used instead. Even better would be thread-save collections using extended interfaces.
802 -* As little synchronized code (synchronized) as possible should be used. And if, then only for small, critical code sections.
803 -
804 -### Prevent Deadlocks
805 -
806 -* Do this by making one of its four conditions impossible.
807 -
808 -### Mutual Exclusion (Mutex)
809 -
810 -*
811 -
812 -Description:
813 - * When resources can't be used by mutual thread and
814 - * there are less resources than threads.
815 -*
816 -
817 -Solutions:
818 - * Use concurrently accessible resources like AtomicInteger.
819 - * Increase the number of resources until its greater or equal to the number of competing threads.
820 - * Check if every required resource is accessible before the task starts.
821 -
822 -### Lock & Wait
823 -
824 -*
825 -
826 -Description:
827 - * Once a thread acquires a resource, it will not release the resource until it has acquired all of the other resources it requires and has completed its work.
828 -*
829 -
830 -Solutions:
831 - * Before reservation of a resource, check its accessibility.
832 - * If a resource is not accessible, release every resource and start from anew.
833 -*
834 -
835 -Dangers:
836 - * Starvation: A thread never achieves to reserve all required resources.
837 - *
838 -
839 -Livelock: Thread gets tangled up.
840 -
841 -→ This approach is always applicable but inefficient as it causes a bad performance.
842 -
843 -### No preemption
844 -
845 -*
846 -
847 -Description:
848 - * A thread is unable to steal a resources reserved by another thread.
849 -*
850 -
851 -Solution:
852 - * A thread is allowed to ask another thread to release all of its resources (including the required one) and starting from anew. This approach is similar to the 'Lock & Wait' solution but has a better performance.
853 -
854 -### Circular Waiting / Deadly Embrace
855 -
856 -*
857 -
858 -Description:
859 - * When two or more threads require a resource which is already reserved by another of these threads.
860 - *
861 -
862 -Example:
863 - *
864 - * Thread T1 has resource R1 and waits for R2 to be released.
865 - * Thread T2 has resource R2 and waits for R1 to be released.
866 -*
867 -
868 -Solution:
869 - * All threads reserve all resources in a the same order.
870 -*
871 -
872 -Problems:
873 - * The order of reservation doesn't necessarily have to be the same as the order of usage. This leads to inefficiencies like reserving a resource at the beginning which is just required at the end of the task.
874 - * Unnecessarily long locked resources.
875 - * Order can not always be specified.
876 -
877 -### Problems of testing multi-threaded methods
878 -
879 -* Very tricky which is why concurrency should be avoided in the first place.
880 -* In general this requires a lot of iteration which makes it resource intensive.
881 -* The outcome is architecture dependent (OS, hardware) which introduced randomness and make the error detection unreliable.
882 -
883 -### Solution approaches for testing multi-threaded methods
884 -
885 -*
886 -
887 -Monte-Carlo-Tests
888 - * Write flexible, adaptive tests.
889 - * Repeatedly run them on a test server and randomly vary the test settings.
890 - * If something fails, the code is defect and the applied settings should be logged.
891 - * Do this early to gain tests ASAP for your testing repertoire or CI-server.
892 -*
893 -
894 -Execute these tests on every platform over a long time to increase the probability that
895 - * the production code is correct or
896 - * the test code is bad.
897 -* Execute the tests on a computer using simulations of application loads when possible.
898 -* There are tools to test thread-based code like ConTest.
899 -
900 -## Personal Additions
901 -
902 -* Readability is the most important virtue. For example, duplication is okay if its the only way to give readability.
903 -* Expanding Entropy: Code built upon dirty code will overtake some of its dirt and make it more stable which raises the cost of cleaning it up. Therefore, clean code up ASAP.
904 -*
905 -
906 -Principle of least knowledge:
907 - * Are there API's providing more functionality than is actually required?
908 - * Are data exposed to objects which don't require them at all?
909 -* Source code of other projects should not be introduced to your own project/git history. Use references like in a pom.xml (libraries, webjars), npm build files..Don't download and introduce code manually.
910 -* Inform about modern API's. For example Java Dates -> DateTime and File -> Files/Path, Java Modules. Also before making the decision to use a specific tool, just make some research about pro/cons and alternative solutions which might fit better to your needs..
911 -* Now can clean code out-of-the-box. Just begin with dirty code, and refactor as often as you need to have clean code in the end.
912 -*
913 -
914 -How to judge if third-party libraries are useful or not? Be pragmatical and consider advantages and disadvantages:
915 - *
916 -
917 -Pro:
918 - *
919 - * Time reduction because it is already implemented.
920 - * For well established libraries there are no costs of maintenance for the library itself.
921 - *
922 -
923 -Contra:
924 - *
925 - * No control over the library code/service.
926 - * Might not fit the projects needs or change over the time.
927 - * Time is required to learn to handle it.
928 -*
929 -
930 -Good API's minimize costs to apply them.
931 - * Easy understandable API.
932 - * Only required functionalities are provided, minimal API. Maybe have a core API and use extensions/modules so that there is not that much functionality at the beginning. By working with it, users can get it step by step.
933 - * Good documentation, guides, tutorials.
934 - * Default configuration so that immediately results can be produced before going through big amounts of configuration.
935 -
936 -## Material
937 -
938 -* [Interesting article](https://research.swtch.com/deps) about dependencies. Solution: Create custom interface and thin wrapper between your application and the third party library.
939 -
940 -