I am wanting to refactor a Promise chain by extracting out some functions. Currently I have
const getData = (uuid) => {
  return new Promise((resolve) => {
    fetch(
      // go fetch stuff
    )
    .then((response) => {
      if (!response.ok) {
        return resolve(false);
      }
      return response;
    })
    .then(fetchres.json)
    .then(response => {
      // Do more stuff that requires resolves that I will also want to refactor
    })
    .catch(err => {
      console.log(err);
      resolve(false);
    });
  });
};
So I want to extract the part where I resolve the unsuccessful responses. But pass along any successful ones. I have pulled it out like so. 
const resolveUnsuccessfulResponses = (response) => {
  if (!response.ok) {
    return response.resolve(false);
  }
  return response;
}
const getData = (uuid) => {
  return new Promise((resolve) => {
    fetch(
      // go fetch stuff
    )
    .then(resolveUnsuccessfulResponses)
    .then(fetchres.json)
    .then(response => {
      // Do more stuff that requires resolves that I will also want to refactor
    })
    .catch(err => {
      console.log(err);
      resolve(false);
    });
  });
};
Now I'm understandably getting the error resolve is not defined. How can I resolve this Promise in an external function?
Should I pass resolve to my extracted function? That would seem clunky.
.then(response => resolveUnsuccessfulResponses(response, resolve))
I might end up having something like
.then(fetchres.json)
.then(parseResponseData)
.then(postDataSomewhere)
.then(doOtherThings)
.then(doEvenMoreCoolThings)
And to have to pass response and resolve to each of them seems wrong
 
    