TL DR
You can find cookies in Chrome DevTools under:
Application > Storage > Cookies > URL of the express Server
Where to begin
To show that express cookies are stored correctly, I start with a simple test server. Please note that you used cookie.secure = true in your question, which requires https to connect to the server. Otherwise, cookies will be deleted immediately by browsers. So let me use this simple one:
let fs = require('fs'); let privateKey = fs.readFileSync('../../../apache/conf/ssl.key/server.key', 'utf8'); let certificate = fs.readFileSync('../../../apache/conf/ssl.crt/server.crt', 'utf8'); let credentials = {key: privateKey, cert: certificate}; let https = require('https'); let app = require('express')(); let session = require('express-session'); app.use(session({ secret: 'keyboard cat', resave: false, saveUninitialized: true, cookie: {secure: true, maxAge: 10000} })); app.all('*', function(req, res) { res.status(200); res.setHeader('Content-Type', 'text/html'); if (!req.session.views) { req.session.views = 0; } req.session.views++; res.write('<p>views: ' + req.session.views + '</p>'); res.end(); }); https.createServer(credentials, app).listen(8080);
If it works correctly, you can open https://localhost:8080 in your browser and see the contents, for example views: 1 .
When updating the browser, the score should be increased with each request. The maximum cookie lifetime without a request is 10 seconds. After this time, the counter starts again from 1 .
Where to Find Cookies in DevTools
For 10 seconds of your life, you can see the cookie under Application > Storage > Cookies > URL of the express Server inside Chrome DevTools. The cookie value in this case is, of course, encrypted.

Some tips when using AJAX
As you mentioned later, your question relates to AJAX calls. In general, it is still the same as above. You can even see AJAX created cookies instantly on the Storage > Cookies tab. But only if your cookie is configured correctly and belongs to the same domain.
Cookies on the Storage tab are selected using the domain cookie and cookie path . Everything that matches the template will be shown and updated in the list. Therefore, in your example, it seems that the cookie does not match the requesting page.
As I saw on your page, you open the page using ULR https://***.firebaseapp.com and execute an AJAX request at https://***.herokuapp.com/verify/ , which are two completely different domains . That is why you do not see them on the Storage tab!
If this still does not work, when using the same domain, set cookie.path in the session setting. Then everything should work as described above .;)