• Avid Amoeba
    link
    -6
    edit-2
    11 days ago

    Uses multiple returns… I’m switching to Windows.

    • kubica
      link
      fedilink
      2711 days ago

      You mean you are early-returning to windows, uh? You can’t do that by your own rules.

      • Avid Amoeba
        link
        3
        edit-2
        10 days ago

        Maintainability.

        You can’t read a block of code and as quickly and understand its control flow without reading every line, especially in regards to resource cleanup.

        For example say you have:

        ...
        if this:
            something
            or other
            and many more...
            ...
        else:
            yet another thing 
            and some more
            ...
        
        do some cleanup
        return
        ...
        

        Say you aren’t exactly interested in what happens inside each branch. If you can assume that there’s one return at the end of the block, you can see the if and else, you can reason about what values would trigger each branch, you can also see that no matter which branch is executed, the cleanup step will be executed before returning. Straightforward. I don’t have to read all the lines of the branches to ensure the cleanup will be executed. If I can’t assume a single return, I have to read all those lines too to ensure none of them jumps out of the function skipping the cleanup. Not having to think about such cases reduces the amount of reading needed and it makes reasoning about the block simpler. The bigger the blocks, the more the branches, the stronger the effect. You have one less foot-shotgun to think about. The easier you make it for your brain, the fewer mistakes it’s gonna make. For all those days when you haven’t slept enough.

        E: Oh also refactoring blocks of code out into functions is trivial when you don’t have multiple returns. Extracting a block with a return in it breaks the parent control flow and requires changes in the implementation.

        E2: Shorter blocks do not obviate this argument. They just make things less bad. But they make almost everything less bad. Shorter blocks and single returns make things even better.

        • @[email protected]
          link
          fedilink
          1710 days ago

          Bad advice. Early return is way easier to parse and comprehend.

          if (p1)
          {
              if(!p2)
              {
                  if(p3 || !p4)
                  {
                      *pOut = 10;
                  }
              }
          }
          

          vs

          if(!p1) return;
          if(p2) return;
          if(!p3 && p4) return;
          
          *pOut = 10;
          

          Early out makes the error conditions explicit, which is what one is interested in 90% of the time. After the last if you know that all of the above conditions are false, so you don’t need to keep them in your head.

          And this is just a silly example with 3 predicates, imagine how a full function with lots of state looks. You would need to keep the entire decision tree in your head at all times. That’s the opposite of maintainable.

          • Avid Amoeba
            link
            4
            edit-2
            10 days ago

            I’m sure you are capable of rewriting that in 3 lines and a single nested scope followed by a single return. In fact in languages that use exceptions you have to use at least one subscope.

            Notice that in my example I didn’t even broach the example with error conditions, cause it’s trivial to write cleanly either way. Instead I talked about returns inside business logic. You can’t unfuck that. 🐞

            • @[email protected]
              link
              fedilink
              5
              edit-2
              10 days ago

              Since my previous example didn’t really have return value, I am changing it slightly. So if I’m reading your suggestion of “rewriting that in 3 lines and a single nested scope followed by a single return”, I think you mean it like this?

              int retval = 0;
              
              // precondition checks:
              if (!p1) retval = -ERROR1;
              if (p2) retval = -ERROR2;
              if (!p3 && p4) retval = -ERROR3;
              
              // business logic:
              if (p1 && !p2 && (p3 || !p4))
              {
                  retval = 42;
              }
              
              // or perhaps would you prefer the business logic check be like this?
              if (retval != -ERROR1 && retval != -ERROR2 && retval != -ERROR3)
              {
                  retval = 42;
              }
              
              // or perhaps you'd split the business logic predicate like this? (Assuming the predicates only have a value of 0 or 1)
              int ok = p1;
              ok &= !p2;
              ok &= p3 || !p4;
              if (ok)
              {
                  retval = 42;
              }
              
              return retval;
              

              as opposed to this?

              // precondition checks:
              if(!p1) return -ERROR1;
              if(p2) return -ERROR2;
              if(!p3 && p4) return -ERROR3;
              
              // business logic:
              return 42;
              

              Using a retval has the exact problem that you want to avoid: at the point where we do return retval, we have no idea how retval was manipulated, or if it was set multiple times by different branches. It’s mutable state inside the function, so any line from when the variable is defined to when return retval is hit must now be examined to know why retval has the value that it has.

              Not to mention that the business logic then needs to be guarded with some predicate, because we can’t early return. And if you need to add another precondition check, you need to add another (but inverted) predicate to the business logic check.

              You also mentioned resource leaks, and I find that a more compelling argument for having only a single return. Readability and understandability (both of which directly correlate to maintainability) are undeniably better with early returns. But if you hit an early return after you have allocated resources, you have a resource leak.

              Still, there are better solutions to the resource leak problem than to clobber your functions into an unreadable mess. Here’s a couple options I can think of.

              1. Don’t: allow early returns only before allocating resources via a code standard. Allows many of the benfits of early returns, but could be confusing due to using both early returns and a retval in the business logic
              2. If your language supports it, use RAII
              3. If your language supports it, use defer
              4. You can always write a cleanup function

              Example of option 1

              // precondition checks
              if(!p1) return -ERROR1;
              if(p2) return -ERROR2;
              if(!p3 && p4) return -ERROR3;
              
              void* pResource = allocResource();
              int retval = 0;
              
              // ...
              // some business logic, no return allowed
              // ...
              
              freeResource(pResource);
              return retval; // no leaks
              

              Example of option 2

              // same precondition checks with early returns, won't repeat them for brevity
              
              auto Resource = allocResource();
              
              // ...
              // some business logic, return allowed, the destructor of Resource will be called when it goes out of scope, freeing the resources. No leaks
              // ...
              
              return 42;
              

              Example of option 3

              // precondition checks
              
              void* pResource = allocResource();
              defer freeResource(pResource);
              
              // ...
              // some business logic, return allowed, deferred statements will be executed before return. No leaks
              // ...
              
              return 42;
              

              Example of option 4

              int freeAndReturn(void* pResource, const int retval)
              {
                  freeResource(pResource);
                  return retval;
              }
              
              int doWork()
              {
                  // precondition checks
              
                  void* pResource = allocResource();
              
                  // ...
                  // some business logic, return allowed only in the same form as the following line
                  // ...
              
                  return freeAndReturn(pResource, 42);
              }
              
              • Avid Amoeba
                link
                4
                edit-2
                9 days ago

                Not sure why you had to do the inverted predicate check again in your first example. You already have the information encoded in the value of retval. It can be written like this:

                int result = 0;
                if (!p1) result = -ERROR1;
                if (p2) result = -ERROR2;
                if (!p3 && p4) result = -ERROR3;
                if (result != 0) {
                    result = 42;
                }
                
                return result;
                

                With a return value you have to add 4 extra lines. This overhead remains constant as you add more checks and more business logic.

                Yes all the other suggestions are better than early returns in business logic and would help with leaks. Would be nice if we had RAII outside of C++. I think Rust has it? Haven’t done Rust yet.

              • @[email protected]
                link
                fedilink
                -110 days ago

                goto is used in C for this exact kind of early return management. The person you answered to does not maintain code I think

                • Avid Amoeba
                  link
                  510 days ago

                  goto cleanup is not the same as return. I didn’t badmouth goto cleanup.

                  • @[email protected]
                    link
                    fedilink
                    19 days ago

                    This is virtually the same thing with a different keyword, I’d like to hear where you (and the down voters) draw the line.

        • @PeriodicallyPedantic
          link
          1010 days ago

          If your function is so long that keeping track of returns becomes burdensome, the function is too long.

          I’m not a fan of returning status codes, but that’s a pretty clear example of early return validation where you can’t just replace it with a single condition check. Having a return value that you set in various places and then return at the end is worse than early return.

          • Avid Amoeba
            link
            5
            edit-2
            10 days ago

            I don’t think it’s worse, I think it’s equivalent. Also I don’t like the risk of resource leaks which is inherent to multi-returns beyond input validation. And that’s true beyond C because memory isn’t the only resource that can be leaked.

            It’s not about how readable the branches are, it’s about having to read all of them to ensure you understand the control flow so that you don’t leak. Length of functions is a red herring. You want me to read the contents of short blocks to ensure the control flow is correct. I don’t want to read the contents of those blocks, other than the conditional and loop statements. Reading short blocks is better than reading long blocks. Reading just the control flow lines is better than reading short blocks.

            • @PeriodicallyPedantic
              link
              310 days ago

              You said yourself they’re equivalent. You either have to read the blocks in both cases or neither case.

              You need to read the blocks to know what gets returned (either early or in a single return). You need to read the blocks to see what resources get created but not released. What are you hoping to achieve by only reading control flow?

              At least with an early return you can stop reading.

              • Avid Amoeba
                link
                310 days ago

                I meant assigning a return value then returning it is the sam as rnultiple returns. Anyway.

                • @PeriodicallyPedantic
                  link
                  210 days ago

                  Right. Like I said.

                  What are you hoping to accomplish by only reading control flow and not the contents of the blocks? You keep raising concerns like not properly releasing resources, but if you don’t read the blocks you don’t know what resources we’re allocated.

                  I think your argument depends on both having your cake and eating it.

                  • Avid Amoeba
                    link
                    3
                    edit-2
                    10 days ago

                    Yes clearly someone has to read the blocks at least once to ensure they are correct.

                    In subsequent reads, when I’m interested in the second block out of two, say during a defect analysis, I don’t have to read the first one to be sure I’m going to reach the second. I can straight head for the second one and any subsequent stuff I care about. Multiple returns force me to read both blocks. I don’t know what else to tell you. To me this is obvious and I think it’s probably even provable. I don’t know about you but I have to read a lot of existing code and every bit helps. We have pretty strict code style guides for that reason.

            • @[email protected]
              link
              fedilink
              110 days ago

              And I’m going to make you read those blocks because they are there for a damn reason. What are you even reading at this point if you’re not reading the preconditions? That’s how you end up dereferencing null pointers, when you have ten nested ifs you can barely see it on your screen

        • Eager Eagle
          link
          fedilink
          English
          210 days ago

          I hate it when some blame early returns for the lack of maintainability.

          Early returns are a great practice when doing argument validation and some precondition checks. They also avoid nested blocks that worsen readability.

          What’s being described there is a function that tries to do too much and should be broken down. That’s the problem, not early returns.

          • Avid Amoeba
            link
            -2
            edit-2
            10 days ago

            Early returns are very similar to gotos. One level of nesting to take care of validation is trivial in comparison. You’re replacing logical clarity for minimal visual clarity. This is true regardless of the size of the function which shows that the size of the function isn’t the determinant. You’re not alone in your opinion, clearly, and I’m not going to convince you it’s a bad practice but I’ll just say what I think about it. 😅 This practice doesn’t make it my team’s codebase.

            • Eager Eagle
              link
              fedilink
              English
              610 days ago

              You can say any execution flow controls are like gotos - continue, break, exceptions, switch, even ifs are not much more than special cases of gotos.

              This is true regardless of the size of the function which shows that the size of the function isn’t the determinant

              Logical clarity does tend to worsen as the function grows. In general, it is easier to make sense of a shorter function than a longer one. I don’t know how you could even say otherwise.

              Early returns are still great for argument validation. The alternative means letting the function execute to the end when it shouldn’t, just guarded by if conditions - and these conditions any reader would have to keep in mind.

              When a reader comes across an early return, that’s a state they can free from their reader memory, as any code below that would be unreachable if that condition was met.

              • Avid Amoeba
                link
                0
                edit-2
                10 days ago

                I never said longer functions are not less clear. I said my argument is valid irrespective of the length of the function which shows that the problems I claim multiple returns bring are independent of function length. 😊

                Any validation you can write with a few early returns you can write with an equivalent conditional/s followed by a single nested block under it, followed by a single return. The reader is free to leave if the validation fails nearly the same, they have to glance that the scope ends at the end of the function. Looks at conditional - that’s validation, looks at the nested block - everything here runs only after validation, looks after the block - a return. As I mentioned in another comment, validation is a trivial case to do either way. Returns inside business logic past validation is where the problematic bugs of this class show up which requires more thorough reading to avoid.

                If you gave me a PR with early returns only during validation, I probably won’t ask you to rewrite it. If I see them further down, it’s not going in.

                • Eager Eagle
                  link
                  fedilink
                  English
                  6
                  edit-2
                  10 days ago

                  Any validation you can write with a few early returns you can write with an equivalent conditional/s followed by a single nested block under it, followed by a single return. The reader is free to leave the validation behind just the same.

                  And that conditional indents your entire function one level - if you have more validation checks, that’s one level of indentation per check (or a complicated condition, depends whether you can validate it all in one place). It’s pretty much the case the other user illustrated above.

                  Returns inside business logic past validation is where the problematic bugs of this class show up

                  That much we agree. But again, this is not an early return issue, putting too much logic in a function is the issue. Rewriting it without early returns won’t make it much clearer. Creating other functions to handle different scenarios will.

                  • Avid Amoeba
                    link
                    3
                    edit-2
                    10 days ago

                    Again, if you can write it with conditionals and returns, you can write it with equivalent number of conditionals and a single nested scope. No further scopes are needed. The conditional will even look nearly identically.

    • Skull giver
      link
      fedilink
      810 days ago

      Windows isn’t any better I’m afraid.

      I blame C for forcing users to use goto, conditional returns, or terribly nested code. Language features like defer or even try/catch/finally make it much easier to write readable code with limited returns.

      • Avid Amoeba
        link
        710 days ago

        That was the joke. 😂 I bet Windows is worse.