Is there a difference between a function with and without a return statement?

后端 未结 3 1078
小鲜肉
小鲜肉 2021-01-18 12:41

Say you have 2 identical functions that do not return a value

function a() {
    // do some interesting things
}

function b() {
    // do the same interesti         


        
3条回答
  •  轮回少年
    2021-01-18 12:58

    Adam is correct; both functions return undefined, and either way is absolutely fine if you don't care about the return value (or desire the value to be undefined). However, it's often better in more complex programs to explicitly return from a function, especially since Javascript programs often have complex callback mechanisms. For example, in this piece of code (just a little more complex than yours) I believe the return statement really helps clarify the code:

    function someAsyncFunction(someVar, callback) {
        // do something, and then...
        callback(someVar);
        // will return undefined
        return;
    }
    
    function c(){
        var someState = null;
        if (some condition) {
            return someAsyncFunction(some variable, function () {
                return "from the callback but not the function";
            });
            // we've passed the thread of execution to someAsyncFunction
            // and explicitly returned from function c.  If this line
            // contained code, it would not be executed.
        } else if (some other condition) {
             someState = "some other condition satisfied";
        } else {
             someState = "no condition satisfied";
        }
        // Note that if you didn't return explicitly after calling
        // someAsyncFunction you would end up calling doSomethingWith(null)
        // here.  There are obviously ways you could avoid this problem by
        // structuring your code differently, but explicit returns really help
        // avoid silly mistakes like this which can creep into complex programs.
        doSomethingWith(someState);
        return;
    }
    
    // Note that we don't care about the return value.
    c();
    

提交回复
热议问题