Skip to content
Advertisement

Code runs after catch statement catches and error and returns in react native firebase

I am having issue whenever I catch an error and return from a function, by code after the catch block still runs. Here is my two functions that I use:

JavaScript

I would greatly appreciate any help for this problem, as I have been struggling with it for over 2 days now and can’t seem to find a solution.

Advertisement

Answer

In your original code, the usernameTaken() promise is floating, because you didn’t use await. Because it was floating, your catch() handler will never catch it’s error.

JavaScript

Additional Points

usernameTaken should return a boolean

You should change usernameTaken to return a boolean. This is arguably better rather than using alert() (which blocks execution of your code) or throwing an error.

JavaScript

Securely claim and release usernames

Based on your current code, you have no protections for someone coming along and just deleting any usernames in your database or claiming a username that was taken between the time you last checked it’s availability and when you call set() for the new username. You should secure your database so that a user can only write to a username they own.

Add the owner’s ID to the document:

JavaScript

This then allows you to lock edits/deletions to the user who owns that username.

JavaScript

Atomically update your database

You are modifying your database in a way that could corrupt it. You could delete the old username, then fail to update your current username which would mean that you never link your new username. To fix this, you should use a batched write to apply all these changes together. If any one were to fail, nothing is changed.

JavaScript

becomes

JavaScript

Usernames should be case-insensitive

Your current usernames are case-sensitive which is not recommended if you expect your users to type/write out their profile’s URL. Consider how "example.com/MYUSERNAME", "example.com/myUsername" and "example.com/myusername" would all be different users. If someone scribbled out their username on a piece of paper, you’d want all of those to go to the same user’s profile.

JavaScript

The result

Combining this all together, gives:

JavaScript
JavaScript

Note: If you are using all of the above recommendations (like the security rules), one of the expected ways batch.commit() will fail is if someone takes the username before the current user. If you get a permissions error, assume that someone took the username before you.

Advertisement