[TIPS] Writing Better Code - Not a big deal

By JoeVu, at: Jan. 7, 2024, 5:53 p.m.

Estimated Reading Time: 23 min read

[TIPS] Writing Better Code - Not a big deal
[TIPS] Writing Better Code - Not a big deal

Writing code is not just about making it work; it's about creating clean, efficient, and maintainable solutions. Whether you're a seasoned developer or just starting, here's a comprehensive guide with practical tips and illustrative Java examples to help you elevate your coding skills.

 

1. Understand the Problem First and Understand it correctly/in details

Before you start coding, take the time to fully comprehend the problem you're solving. A clear understanding leads to elegant solutions.

For instance, consider finding the maximum number in an array. You must known that:

  • input: an array of numbers 
  • output: a mamium number in the array
  • corner cases: what exceptions, wrong data, unexpected result do we see in this case?
numbers = [1, 4, 612, 23, 91, 10, 100, 20, 400]
max_number = None
if len(numbers) > 0:
    max_number = numbers[0]
    for number in numbers[1:]:
        if number > max_number:
            max_number = number
print(f"Max number is: {max_number}")

 

2. Find all possible Solutions

Before diving into the implementation of your solution, take a step back and explore various approaches. Finding all possible solutions allows you to evaluate different strategies and choose the most suitable one. This preliminary analysis can save time and effort in the long run.

Why is it important?

  1. Optimal Solution: By considering multiple solutions, you increase the likelihood of finding the most optimal one in terms of performance, scalability, and simplicity.

  2. Trade-offs: Different solutions may involve trade-offs in terms of time complexity, memory usage, or code readability. Evaluating these trade-offs helps you make informed decisions.

  3. Learning Opportunity: Exploring various solutions enhances your problem-solving skills and exposes you to different algorithms and patterns.

Then you can pick the best one that fits your problem the most.

 

3. Plan Your Code

Before delving into the actual coding process, it's essential to plan your code meticulously. Planning involves outlining the structure, defining functionalities, and considering potential challenges. This practice contributes significantly to the overall success and maintainability of your code.

Why is it important?

  1. Structural Clarity: Planning helps in defining the architecture of your code. It allows you to visualize the relationships between different components, making it easier to understand and modify in the future.

  2. Prevention of Redundancy: By planning, you can identify and eliminate redundant code or functionalities. This not only improves the efficiency of your code but also enhances its readability.

  3. Efficient Problem Solving: Careful planning enables you to foresee potential issues and devise solutions beforehand. It's like creating a roadmap that guides you through the coding journey, reducing the likelihood of getting stuck.

For instance, when creating a class, such as a Person class, plan the attributes and methods it should have.

Person:
attributes: name, date_of_birth, address, phone_number, email
methods: get_age(), say(text)
difficulties: the input data might be incorrect, we should validate that and raise exception...


Then we can plan our code accordingly:

from dateutil.parser import parse
from datetime import datetime


class Person:
    name = ''
    phone_number = ''
    address = ''
    email = ''
    date_of_birth = ''

    def __init__(self, **kwargs):
        self.name = kwargs.get('name', '')
        self.phone_number = kwargs.get('phone_number', '')
        self.address = kwargs.get('address', '')
        self.email = kwargs.get('email', '')
        self.date_of_birth = kwargs.get('date_of_birth', '')

    def get_age(self):
        if not self.date_of_birth:  # this makes sure we don't raise Exception here.
            return
        date_of_birth = parse(self.date_of_birth) 
        return datetime.now().year - date_of_birth.year

    def say(self, text):
        print(f"Say: {text}")   

 

4. Keep It Simple

Simplicity is key. Avoid unnecessary complexity and use built-in methods when possible. Or finding the existing solutions out there (StackOverflow, Python blogs,...)

Considering the above problem: find the maximum number in a list.

We can do it easily with the built-in max function in Python

numbers = [1, 4, 612, 23, 91, 10, 100, 20, 400]
max_number = max(numbers)
print(f"Max number is: {max_number}")

 

5. Use Meaningful Naming Strategies (variables, functions, files, directories)

Choosing meaningful and descriptive names for your variables, functions, files, and directories is a crucial aspect of writing clean and maintainable Python code. Let's explore why meaningful names matter and how to adopt effective naming strategies.

Why is it important?

  1. Readability and Comprehension: Meaningful names enhance the readability of your code. A well-chosen name provides instant clarity about the purpose and usage of a variable, function, file, or directory.

  2. Documentation: Descriptive names act as implicit documentation. They convey information without the need for additional comments, making the code more self-explanatory.

  3. Collaboration: When working in a team, clear and meaningful names facilitate collaboration. Team members can quickly understand each other's contributions, reducing the learning curve for new developers.

Compare:

# Bad naming
a = 5
n = 'joe vu'
c = 'honda'

# Good naming
age = 5
name = "Joe Vu"
car_model = "Honda"

 

6. Use Comments ONLY WHEN NEEDED

Comments are a valuable tool for providing additional context to your Python code. However, it's crucial to use them judiciously to avoid clutter and confusion. Let's delve into when and how to use comments effectively.

When to Use Comments:

  1. Clarifying Complex Logic: Comments can help elucidate intricate or non-intuitive sections of code. If a particular algorithm or logic requires additional explanation, a comment can provide clarity.

    # Applying the modified Fibonacci sequence to optimize the algorithm.
    def optimized_fibonacci(n):
        # Implementation details... pass
  2. Documenting Intent: Comments are useful for conveying the purpose or intent behind a code block, especially if it might not be immediately evident.

    # Check if the user is an admin before granting access.
    if user_role == "admin":
        grant_access()
  3. Workarounds and TODOs: Use comments to highlight temporary workarounds or mark areas where future improvements or fixes are needed.

When to Avoid Comments:

  1. Self-Explanatory Code: Strive to write code that is self-explanatory through well-chosen variable and function names. Avoid redundant comments that merely restate what the code is doing.

    # Bad Comment: Adding two numbers
    result = num1 + num2

    # Good: The code is clear without the comment
    result = num1 + num2
  2. Version Control for History: Consider using version control systems (e.g., Git) for tracking code changes over time. Excessive comments detailing every change may be better suited for commit messages.

Best Practices:

  • Update Comments: Regularly review and update comments to ensure they remain accurate and relevant, especially if code undergoes changes.

  • Keep it Concise: Write concise comments that add value without being overly verbose. Aim for clarity and brevity.

 

7. Follow a Coding Standard

Maintaining a consistent coding style is essential for creating code that is not only functional but also easily readable and understandable. Adopting a coding standard ensures that all team members adhere to a set of guidelines, promoting uniformity and reducing potential confusion. Let's explore the importance of following a coding standard and how it contributes to code quality. PEP8 is the best coding standard for Python

Why Follow a Coding Standard?

  1. Consistency Across the Codebase: Enforcing a coding standard ensures that the entire codebase maintains a uniform appearance. This consistency makes it easier for developers to navigate through different modules and understand the structure of the code.

    # Inconsistent Naming
    def calculateArea(radius):
        # implementation...

    # Consistent Naming (following PEP 8)
    def calculate_area(radius):
        # implementation...
  2. Readability and Collaboration: A common coding style enhances code readability and promotes collaboration among team members. When everyone follows the same conventions, it becomes simpler to review, understand, and modify each other's code.

    # Poorly Formatted Code
    if x>5 and y<10 :
        z = x+y

    # Well-Formatted Code (following PEP 8)
    if x > 5 and y < 10:
        z = x + y
  3. Reduced Debugging Time: Consistent coding standards can help in identifying errors more quickly. When the code follows a predictable structure, developers can focus on logic rather than deciphering different coding styles.

Best Practices:

  • Choose a Standard: Select a coding standard suitable for your programming language (e.g., PEP 8 for Python, Google Style Guide for Python). Discuss and decide as a team which standard to adopt.

  • Automate with Linters: Utilize linters or static analysis tools to automatically check code against the chosen standard. This helps catch deviations early in the development process.

  • Regular Code Reviews: Incorporate code reviews as a standard practice within the team. This allows for continuous feedback on adherence to coding standards and promotes knowledge sharing.

 

8. Write small helper functions

Breaking down complex tasks into smaller, more manageable functions is a fundamental practice in writing clean and modular code. Small helper functions not only enhance code readability but also promote code reuse and maintainability. In this section, we'll explore the benefits of writing small helper functions and provide examples to illustrate their significance.

Why Write Small Helper Functions?

  1. Improved Readability: Breaking down a larger function into smaller, well-named helper functions makes the code more readable. Each helper function can focus on a specific subtask, making the overall logic easier to follow.

    # Monolithic Function
    def process(data):
        # a long function implementation
        pass

    # Utilizing Helper Functions
    def validate(data):
        pass

    def clean(data): 
        pass  

    def store(data):
        pass

    def process(data): 
        validate(data)
        clean(data)
        store(data)
  2. Code Reusability: Small helper functions are often designed to perform a specific task. This modular approach allows these functions to be reused in different parts of the codebase, reducing redundancy and promoting a DRY (Don't Repeat Yourself) code philosophy.

    # Reusable Helper Function
    def sum_lists(list1, list2):
        return sum(list1) + sum(list2)

    # Usage in Different Contexts
    numbers1 = [5, 6, 7, 2, 1]
    numbers2 = [8, 3, 2, 5, 6]
    numbers3 = [9, 0, 4, 4, 2]
    group12 = sum(numbers1, numbers2)
    group13 = sum(numbers1, numbers3)
  3. Simplified Testing: Testing small, focused functions is generally easier than testing large monolithic ones. With isolated helper functions, unit testing becomes more straightforward, allowing for better test coverage and quicker identification of issues.

Best Practices:

  • Single Responsibility Principle: Ensure that each helper function has a single responsibility. This makes it easier to understand, test, and maintain.

  • Meaningful Naming: Choose descriptive names for helper functions that clearly convey their purpose. This enhances code readability without the need for extensive comments.

  • Limit Function Length: While breaking down code into smaller functions is beneficial, be mindful not to create functions that are too trivial. Aim for a balance to maintain meaningful abstractions.

 

9. Test Your Code

Testing is an indispensable part of the software development process, ensuring that your code functions as expected and remains robust in different scenarios. In this section, we'll delve into the significance of testing and provide insights into writing effective tests using Python examples.

Why Test Your Code?

  1. Identify and Prevent Bugs: Testing allows you to identify and address bugs and errors in your code before it reaches the production environment. This proactive approach significantly reduces the likelihood of unexpected issues.

    # Example: Unit Test Using Python's unittest
    import unittest
    def add_numbers(a, b):
        return a + b

    class TestAddNumbers(unittest.TestCase):
        def test_addition(self):
            self.assertEqual(add_numbers(2, 3), 5)

    if __name__ == '__main__':
        unittest.main()
  2. Ensure Correct Functionality: Well-designed tests serve as a specification for your code, ensuring that each function behaves as intended. This becomes particularly crucial as the codebase evolves and new features are added.

    # Example: Testing a Class Method
    class Calculator:
        def add(self, a, b):
             return a + b

    # Testing the Calculator Class
    calculator = Calculator()
    result = calculator.add(2, 3)
    assert result == 5, f"Expected 5, but got {result}"
  3. Facilitate Refactoring: When refactoring or making changes to the code, having a comprehensive suite of tests provides confidence that existing functionalities remain unaffected. This prevents unintentional regressions.

Best Practices:

  • Use Testing Frameworks: Leverage testing frameworks like unittest, pytest, or nose to streamline the process of writing and executing tests.

  • Write Comprehensive Tests: Aim for comprehensive test coverage, ensuring that different paths through your code are tested. This includes edge cases and error scenarios.

  • Automate Testing: Integrate automated testing into your development workflow. Continuous Integration (CI) tools can automatically run tests whenever code changes are made.

 

10. Regular Code Refactor

Refactoring is akin to fine-tuning your code, a process that involves restructuring existing code without altering its external behavior. This practice is essential for maintaining a clean, efficient, and adaptable codebase. In this section, we'll explore the importance of regular code refactoring and provide Python examples to illustrate its benefits.

Why Regular Code Refactor?

  1. Enhance Code Readability: Refactoring allows you to revisit and improve the readability of your code. This is crucial for collaboration, as readable code is easier for your team members (or even future you) to understand.

    # Example: Refactoring to Improve Readability
    def calculate_area(length, breadth):
        return length * breadth

    # Improved Function and Naming
    def calculate_rectangle_area(length, width):
        return length * width
  2. Reduce Code Duplication: Code duplication is a common source of errors and maintenance challenges. Regular refactoring helps identify and eliminate redundant code, promoting a more DRY (Don't Repeat Yourself) approach.

    # Example: Refactoring to Eliminate Duplication
    def calculate_circle_area(radius):
        return 3.14 * radius * radius

    def calculate_cylinder_volume(radius, height):
        base_area = calculate_circle_area(radius)
        return base_area * height
  3. Improve Code Maintainability: A well-refactored codebase is more maintainable. It becomes easier to make changes, add new features, or fix issues without introducing unintended side effects.

    # Example: Enhancing Code Structure
    class Person:
        def __init__(self, name, age):
            self.name = name
            self.age = age

    # Enhanced Class with Additional Method
    class Person:
        def __init__(self, name, age):
            self.name = name
            self.age = age
        def greet(self):
            print(f"Hello, my name is {self.name}")


Best Practices:

  • Refactor Regularly, Not Just When Necessary: Make refactoring a part of your routine, rather than waiting for the codebase to become unwieldy. This ongoing process keeps the codebase agile.

  • Use Automated Refactoring Tools: Leverage tools that can assist in automated refactoring, such as those provided by integrated development environments (IDEs).

 

11. Learn from Others

Learning from others is a cornerstone of personal and professional growth in software development. By examining diverse codebases, developers can gain insights into different styles, techniques, and best practices. In this section, we'll delve into the significance of learning from others and how it can elevate your coding skills. Python examples will be used to illustrate the concepts.

Why Learn from Others?

  1. Exposure to Diverse Approaches: Reviewing open-source projects or collaborating with fellow developers exposes you to various coding styles and problem-solving strategies. This diversity enhances your ability to tackle different challenges.

  2. Adopting Best Practices: Analyzing well-established projects helps you identify and adopt industry best practices. Understanding how experienced developers structure their code can significantly impact the quality of your own work.

  3. Continuous Learning and Improvement: The field of software development evolves rapidly. Learning from others ensures you stay updated on the latest technologies, tools, and methodologies, fostering continuous improvement.

Best Practices:

  • Explore GitHub Repositories: GitHub hosts a plethora of open-source projects in various languages. Explore repositories related to your interests or technologies you want to learn.

  • Participate in Code Reviews: Actively engage in code reviews within your team or on platforms like GitHub. Constructive feedback and discussions contribute to mutual learning.

 

12. Keep Learning and Take Breaks

The pursuit of knowledge and the importance of maintaining a healthy work-life balance are pivotal aspects of a developer's journey. In this section, we'll discuss the significance of continuous learning and the necessity of taking breaks for sustained productivity. Python will be the language of choice for code examples.

Continuous Learning:

  1. Stay Updated with Technologies: In the dynamic field of software development, staying abreast of the latest technologies is crucial. Regularly update your skills to remain competitive and efficient in your coding endeavors.

  2. Explore New Language Features: Programming languages evolve, introducing new features and enhancements. Actively explore and incorporate these features into your coding repertoire.

Taking Breaks:

  1. Preventing Burnout: Coding can be mentally demanding. Taking regular breaks helps prevent burnout, maintains focus, and contributes to overall well-being.

  2. Fresh Perspective: Stepping away from your code provides an opportunity to return with a fresh perspective. It aids in identifying issues, improving clarity, and making informed decisions.

Best Practices:

  • Online Learning Platforms: Leverage online platforms for continuous learning. Resources like Coursera, Udacity, and others offer courses on a wide range of programming topics.

  • Scheduled Breaks: Plan breaks during extended coding sessions. Use techniques like the Pomodoro Technique to balance focused work intervals with short breaks.

 

Conclusion

Mastering code craftsmanship is a continuous journey. By incorporating these tips and Java examples into your coding practices, you'll write cleaner, more efficient, and maintainable code. Remember, the goal isn't perfection, but constant improvement.

 

Coding FAQs

1. What is the KISS principle in coding?

The KISS (Keep It Simple, Stupid) principle emphasizes simplicity and clarity, encouraging programmers to avoid unnecessary complexity.

2. How can I improve my coding skills?

Regular practice, reading others' code, learning new technologies, and following best practices contribute to improving coding skills.

3. Why are breaks important when coding?

Breaks prevent burnout, keeping your mind fresh and providing a chance to review work with a new perspective.

4. What is the YAGNI principle in coding?

YAGNI (You Aren't Gonna Need It) advises programmers not to add functionality until deemed necessary. It prevents overengineering and keeps the codebase lean.

5. How can I enhance code security?

Code security is crucial. Regularly update dependencies, use parameterized queries to prevent SQL injection, and employ secure coding practices to mitigate vulnerabilities.

6. Is it essential to document every line of code?

While documentation is important, focus on documenting the why and how, not every line. Clear, concise comments and high-level documentation enhance understanding without unnecessary clutter.

7. Should I prioritize code optimization over readability?

A balance is key. Prioritize readability for maintainability, but address performance bottlenecks when necessary. Profile your code to identify areas that need optimization without compromising clarity.

8. How do I handle legacy code effectively?

Understanding legacy code is challenging. Start by writing tests to ensure existing functionality, then refactor gradually. Document as you decipher, and consider adopting modernization strategies when feasible.

9. What is refactoring in coding?

Refactoring is restructuring existing code without changing its external behavior to improve readability, reduce complexity, or enhance maintainability.

10. Why is testing important in coding?

Testing is crucial for identifying bugs and errors before reaching end-users, ensuring the code works as expected.


Related

Experience Python

[TIPS] PRO Python debugging

Read more
Python Experience

[Tips] Python DotDict Class

Read more
Subscribe

Subscribe to our newsletter and never miss out lastest news.