All errors must be explicitly handled through catching, logging, or user feedback. Silent error suppression makes debugging impossible and creates poor user experiences.
Always do one of the following:
.catch()
handlers to promises to prevent unhandled rejectionsExample of proper error handling:
// Bad: Silent failure
checkForUpdates().then((info) => {
// handle success
});
// Good: Explicit error handling
checkForUpdates().then((info) => {
// handle success
}).catch((error) => {
console.error('Update check failed:', error.message);
});
// Bad: Removing error logs
} catch (error) {
// Ignore clipboard image errors
}
// Good: Maintain error visibility
} catch (error) {
console.error('Error handling clipboard image:', error);
}
This ensures errors are visible to developers during debugging and users understand when operations fail, enabling proper troubleshooting and recovery.
Enter the URL of a public GitHub repository