how i can access ref value i a diffrent commponnet file?

here is App.vue

<script setup>
import Nav from "./components/Nav.vue";
</script>

<template>
  <Nav/>
</template>

………………………………………………………….

and here is Nav.vue

<script setup>
import { ref } from "vue";
import plusIcon from "../assets/plusIcon.svg";
import dotsIcon from "../assets/dotsIcon.svg";

import AddCountdownForm from "../components/AddCountdownForm.vue";

const showAddCountdownForm = ref(false);
</script>

<template>
  <div class="relative">
    <nav class="w-full top-0 fixed h-20 bg-gray-200 backdrop-blur-xl mb-14">
      <div
        class="container h-full p-1 flex items-centerm justify-between "
      >
        <!-- add countdown button -->
        <div
          class="my-auto w-14 h-14 p-1 cursor-pointer relative transition-all "
          id="addBtn"
          @click="showAddCountdownForm = true"
        >
          <plusIcon class="fill-indigo-500 h-12 w-12" />
        </div>
        <!-- setting button -->
        <div class="my-auto w-14 h-14 p-1 cursor-pointer relative" id="setting">
          <dotsIcon class="fill-indigo-500 h-12 w-12" />
        </div>
      </div>
    </nav>
    <AddCountdownForm v-show="showAddCountdownForm === true" />
  </div>
</template>

and here is AddCountdownForm.vue

………………………………………………………….

<template>
  <div
    class="h-screen w-full bg-gray-200/50 backdrop-blur-sm relative flex md:justify-center md:items-center"
  >
    <div
      class="absolute h-1/2 w-full bg-gray-300 bottom-0 md:bottom-auto md:w-1/2"
    >
      <div class="w-full bg-white h-12 ml-0">
        <div>close</div>
      </div>
      <div>Text</div>
    </div>
  </div>
</template>

when i click on Plus icon i can show the form but i want to know how to hide it if showAddCountdownForm is in a diffrent file

How to add a entry in history API when page open?

I need add a entry in History to close a modal when I click on back button.

function addHistory() {
    window.history.pushState("forward", null, "");
}

When I use a click button to call the function, it works, but when I call the function on page load, the entry doesn’t work when page back.

window.onload = function() {
  window.history.pushState("forward", null, "");
}

My javascript code is executing after returning values to my event listener

I’m making use of javascript to read the excel file with exceljs but I see that the javascript function is returning the response to my html event listerner and continuining execution and reading the content of file.

How can i make this code to return value after all lines of code are executed completely. Please help as I’m new to Javascript and have built this code by loooking at lot of online resources

 readAndProcess(files) {
      return new Promise(resolve => {
        try {
          const file = files[0];
          let fileContent = [];
          const fileReader = new FileReader();

          fileReader.readAsArrayBuffer(file);

          fileReader.onload = (e) => {
            let result = e.target.result;
            let columns = [];
            let tableData = [];
            let size;
            if (result) {
              // Create workbook & add worksheet
              const wb = new ExcelJS.Workbook();
              wb.xlsx.load(result).then(workbook => {
                console.log(workbook, 'workbook instance');
                workbook.eachSheet((sheet, id) => {

                  sheet.eachRow((row, rowIndex) => {
                    console.log(rowIndex, 'rowIndex');
                    console.log(row);
                    if (rowIndex === 1) {
                      columns = Object.entries(row.values).map(([k, v]) =>
                      ({
                        field: v,
                        headerText: v
                      })
                      );
                      
                    } else {
                      const part = {};
                      let index = 0;
                      Object.entries(row.values).map(([k, v]) => {
                        part[columns[index].field] = v;
                        index++;
                      }
                      );
                      tableData.push(part);
                      //console.log(tableData);
                    };
                  });
                });
              });
              resolve({
                success: true,
                result: {
                  name: file.name,
                  size: file.size,
                  type: file.type,
                  columns: columns,
                  tableData: tableData
                },
                error: {
                  detail: ''
                }
              });
            } else {
              resolve({
                success: false,

                error: {
                  detail: 'Empty File : ' + result
                }
              })
            }
          }
        } catch (err) {
          resolve({
            success: false,
            error: {
              detail: 'Error while reading file : ' + err.detail
            }
          });
        }
      });
    }
  }

Event listener keyup + Types of parameters ‘event’ and ‘ev’ are incompatible

I have a hook I am trying to use to detect an escape keypress. I am getting a typescript error when passing a function into the event listener.

The error comes here document.addEventListener('keyup', listener, false) specifically on the listener function and is:

Types of parameters 'event' and 'ev' are incompatible.
        Type 'KeyboardEvent' is missing the following properties from type 'KeyboardEvent<Element>': locale, nativeEvent, isDefaultPrevented, isPropagationStopped, persist
Argument of type '(event: KeyboardEvent<Element>) => void' is not assignable to parameter of type 'EventListenerOrEventListenerObject'.

Sandbox: https://codesandbox.io/s/magical-darkness-f905cn?file=/src/useEscapeKeyPress.ts

Hook

export function useEscapeKeyPress(action: () => void): void {
    const listener = useCallback(
        (event: KeyboardEvent<Element>): void => {
            if (event && event.key === 'Escape') {
                action()
            }

            return
        },
        [action]
    )

    useLayoutEffect(() => {
        document.addEventListener('keyup', listener, false)

        return () => {
            document.removeEventListener('keyup', listener, false)
        }
    }, [listener])
}

If I hack the typescript by using //@ts-ignore I can see that the logic is working correctly however I cant seem to shake this error

Open Register Tab of Ajax Login Pop-up

I’ve got this login link of this WP Theme which opens an ajax pop-up to either login or register. The theme has only Login button but I want to add another button – Register.
I’ve added the button and eveything works except that the pop-up form opens up in the default tab , which is Log-in.
There is another tab on the form – Register but how can I open the pop-up to that tab I have no idea. I’ve tried several things but nothing works.
I’m pretty sure this is really simple but sometimes one gets stuck…

The first Regsiter button has a code like this :

<div class="account logged-out" id="reg-btn">
 <a id="reg-clck" href="#popup-form" class="btn-login-register">Register</a>
</div>

and the Register tab in the pop-up form looks like this:

<div class="tabs-form">
 <a class="btn-login" href="#ux-login" data-form="ux-login">Log in</a>
 <a class="btn-register active" href="#ux-register" data-form="ux-register">Sign Up</a>
 <div class="loading-effect"><span class="civi-dual-ring"></span></div>
</div>

The Register button opens up the pop-up but how to go forward and click the Register Tab in the form ?

Thanks in advance!
Have a good weekend!

Create Google Auth in Expressjs & NuxtJs

I want to create google auth system in expressjs and nuxtjs for users. when in nuxtjs, we click “login with google”, it opens a popup window, and we call the express route to start google auth flow. when we get consent screen to choose google profile from which want to login, after we select, it redirects to call back url as per flow. where we store the profile data to database if it doesn’t exist and then close the login window on nuxtjs automtically.

here some problems i am facing is.

  1. when we hit button, window.open starts and we get google profile list to select or login then after selecting the profile, it redirects to callback url there and store the data to database, successfully and show message in that login window that authentication successful.. but here i want this window to close automatically after this message. also i want to use the profile data in my nuxt application here by saving that in cookie or local browser.

  2. another problem i am facing is session issue, it looks like. if i login to my system and i get the message authentication successful, and if i am change browser and i get the same message, even if i change computers, i do not get options to choose google account, but directly we get that message “authentication successful”.. there should be separate flow for every session, how to manage this here.

Both My Express Server & Nuxt Application hosted like this..
Express is – https://v1api.myurl.com/
NuxtJs – https://www.myurl.com

this is my app.js

const express = require('express');
const session = require('express-session');
const helmet = require('helmet');
const xss = require('xss-clean');
const mongoSanitize = require('express-mongo-sanitize');
const compression = require('compression');
const cors = require('cors');
const httpStatus = require('http-status');
const config = require('./config/config');
const morgan = require('./config/morgan');
const passport = require('./config/passport');
const { authLimiter } = require('./middlewares/rateLimiter');
const routes = require('./routes/v1');
const supplierRoutes = require('./routes/suppliers-api');
const { errorConverter, errorHandler } = require('./middlewares/error');
const ApiError = require('./utils/ApiError');

var bodyParser = require('body-parser');

const app = express();
// Configure session middleware
app.use(
  session({
    secret: 'SomeSecretKey',
    resave: false,
    saveUninitialized: false,
    store: new session.MemoryStore(),
  })
);

app.set('trust proxy', 1);

if (config.env !== 'test') {
  app.use(morgan.successHandler);
  app.use(morgan.errorHandler);
}

// enable cors
app.use(cors());
app.options('*', cors());

// set security HTTP headers
app.use(helmet());

app.use(bodyParser.json({ limit: "500mb" }));
app.use(bodyParser.urlencoded({ limit: "500mb", extended: true, parameterLimit: 500000 }));

// parse json request body
app.use(express.json({ limit: "500mb" }));

// parse urlencoded request body
app.use(express.urlencoded({ limit: "500mb", extended: true, parameterLimit: 500000 }));

// sanitize request data
app.use(xss());
app.use(mongoSanitize());

// gzip compression
app.use(compression());

// jwt authentication
app.use(passport.initialize());
app.use(passport.session());

// limit repeated failed requests to auth endpoints
if (config.env === 'production') {
  app.use('/v1/auth', authLimiter);
}

// v1 api routes
app.use('/v1', routes);
app.use('/supplier-api', supplierRoutes);

// send back a 404 error for any unknown api request
app.use((req, res, next) => {
  next(new ApiError(httpStatus.NOT_FOUND, 'Endpoint Not found'));
});

// convert error to ApiError, if needed
app.use(errorConverter);

// handle error
app.use(errorHandler);

module.exports = app;

this is authRoutes.js

// routes/authRoutes.js
const express = require('express');
const passport = require('passport');
const authController = require('../../controllers/authController');

const router = express.Router();

router.get('/google', authController.googleLogin);
router.get(
  '/google/callback',
  passport.authenticate('google', { failureRedirect: '/login' }),
  authController.googleLoginCallback
);
router.post('/login', authController.login);

module.exports = router;

this is user model..

const mongoose = require('mongoose');

const UserSchema = new mongoose.Schema({
  googleId: {
    type: String,
    required: true,
  },
  name: {
    type: String,
    required: true,
    default: null,
  },
  email: {
    type: String,
    required: true,
    default: null,
  },
  displayName: {
    type: String,
    default: null,
  },
  familyName: {
    type: String,
    default: null,
  },
  givenName: {
    type: String,
    default: null,
  },
  photos: {
    type: [String],
    default: [],
  },
  phone: {
    type: String,
    default: null,
  },
  password: {
    type: String,
    default: null,
  },
});

module.exports = mongoose.model('User', UserSchema);

this is authController.js

// controllers/authController.js
const passport = require('passport');
const authService = require('../services/authService');

function googleLogin(req, res, next) {
  passport.authenticate('google', { scope: ['profile', 'email'] })(req, res, next);
}

function googleLoginCallback(req, res) {
  const user = req.user;
  const responseData = {
    success: true,
    message: 'Authentication successful. You can now close this window.',
    data: {
      UserId: user._id,
      Photo: user.photos[0],
      DisplayName: user.displayName,
      Name: user.name,
      GivenName: user.givenName,
      FamilyName: user.familyName,
      // Include other necessary user details...
    },
  };

  const responseHtml = `
    <html>
      <head>
        <script>
          window.onload = function() {
            window.opener.postMessage(${JSON.stringify(responseData)}, window.location.origin);
          };
        </script>
      </head>
      <body>
        <p>Authentication successful. You can now close this window.</p>
      </body>
    </html>
  `;
  res.send(responseHtml);
}
async function login(req, res) {
  const { email, password } = req.body;

  try {
    const user = await authService.loginUser(email, password);
    req.login(user, (err) => {
      if (err) {
        return res.status(500).json({ message: 'Internal server error' });
      }
      return res.status(200).json({ message: 'Login successful' });
    });
  } catch (error) {
    res.status(401).json({ message: error.message });
  }
}

module.exports = {
  googleLogin,
  googleLoginCallback,
  login,
};

this is authService

// services/authService.js

const bcrypt = require('bcrypt');
const User = require('../models/User');

async function loginUser(email, password) {
  const user = await User.findOne({ email });

  if (!user) {
    throw new Error('Invalid email or password');
  }

  const isPasswordValid = await bcrypt.compare(password, user.password);

  if (!isPasswordValid) {
    throw new Error('Invalid email or password');
  }

  return user;
}

module.exports = {
  loginUser,
};

this is passport.js

const passport = require('passport');
const GoogleStrategy = require('passport-google-oauth20').Strategy;
const User = require('./../models/User');

passport.serializeUser((user, done) => {
  done(null, user.id);
});

passport.deserializeUser((id, done) => {
  User.findById(id, (err, user) => {
    done(err, user);
  });
});

passport.use(
  new GoogleStrategy(
    {
      clientID: '****************',
      clientSecret: '******************',
      callbackURL: 'https://v1api.myurl.com/v1/auth/google/callback',
      scope: ['profile', 'email'],
    },
    async (accessToken, refreshToken, profile, done) => {
      try {    
        // Access additional fields
        const displayName = profile.displayName;
        const familyName = profile.name.familyName;
        const givenName = profile.name.givenName;
        const photos = profile.photos.map((photo) => photo.value); // Extract the photo URLs

        // Check if the user already exists in the database
        let user = await User.findOne({ googleId: profile.id });

        if (user) {
          // If user exists, return the user
          return done(null, user);
        } else {
          // If user doesn't exist, create a new user in the database
          const email = profile.emails && profile.emails.length > 0 ? profile.emails[0].value : null;
          user = new User({
            googleId: profile.id,
            name: displayName,
            email,
            displayName,
            familyName,
            givenName,
            photos,
          });

          await user.save();
          return done(null, user);
        }
      } catch (error) {
        return done(error, null);
      }
    }
  )
);

module.exports = passport;

this is my component in nuxtjs3 composition api.

loginButton.js

<template>
  <button
    class="ttc-bg-red-600 ttc-hover:bg-red-700 ttc-text-white ttc-py-2 ttc-px-4 ttc-rounded-md ttc-w-full ttc-flex ttc-items-center ttc-justify-center"
    @click="loginWithGoogle"
  >
    <div class="ttc-mr-2">
      <svg xmlns="http://www.w3.org/2000/svg" viewBox="0 0 24 24" fill="currentColor" class="ttc-h-6 ttc-w-6 inline-block">
        <path d="M23.52 12c0-1.78-.16-3.51-.46-5.18H12v9.38h6.55a11.57 11.57 0 0 1-4.95 7.62v6.32h7.98c4.68-4.32 7.36-10.67 7.36-18.14z"/>
        <path fill="#fff" d="M12 24c3.34 0 6.43-1.13 8.85-3.02l-3.4-2.6C17.74 19.41 15.05 21 12 21c-4.61 0-8.53-3.05-9.91-7.22l-3.3 2.7C2.51 20.9 7.04 24 12 24z"/>
        <path fill="none" d="M0 0h24v24H0z"/>
      </svg>
    </div>
    <div class="ttc-font-medium ttc-inline-block">Sign in with Google</div>
  </button>
</template>

<script setup>
import { ref, onMounted } from 'vue';

const loginWithGoogle = async () => {
  const googleLoginUrl = 'https://v1api.myurl.com/v1/auth/google';

  const loginWindow = window.open(googleLoginUrl, '_blank', 'width=500,height=600');

  const closeListener = setInterval(() => {
    if (loginWindow && loginWindow.closed) {
      clearInterval(closeListener);
      // Perform any necessary actions after the window is closed
      fetchUserId();
    }
  }, 500);
};

const fetchUserId = async () => {
  try {
    const response = await $fetch('https://v1api.myurl.com/v1/auth/google/callback');
    const data = await response.json();
    const userData = data.data;
    localStorage.setItem('userData', JSON.stringify(userData));
    window.close();
  } catch (error) {
    console.error('Error fetching user Data:', error);
  }
};

onMounted(() => {
  return () => {
    window.removeEventListener('message', handleMessage);
  };
});
</script>

Unknown console errors

I just found out that console of my websites is printing quite a high amount of errors regarding javascripts of which presence I had no clue. I’d assume those might be some secondary scripts used by some iframe embedding (Vimeo, Sketchfab etc.).

Is there anything I should do to stop those errors or it doesn’t matter? Everything on the websites is working as it should.

Also please state whether is post like this okay or should I rather make a question about every single error separately?

What is the different between these two RegEx patterns

Why does this regex return null:

"abcabc1Z".match(/^(?=w{3,6})(?=.*d)(?=.*Z)$/)

That returns null but this:

"abcabc1Z".match(/^(?=w{3,6})(?=.*d)(?=.*Z)/)

does not return null (the difference the second pattern does not include $).

Why does the first one return null? Shouldn’t both return the matched string?

How to add an image to the vue project in different ways?

I’m expecting to add in image. But none of the ways works.

https://stackblitz.com/edit/vue-fsg2l2?file=src%2Fcomponents%2FHeader.vue,src%2Fcomponents%2FHelloWorld.vue

<a href="#" class="header__top-item facebook" :style="image"></a>
<img alt="" src="../assets/icons/facebook-header.svg" />
<img v-bind:src="require('../assets/icons/facebook-header.svg')" />

 data() {
    return {
      image: { backgroundImage: 'url(../assets/icons/facebook-header.svg)' },
    };
  },
  
  // package.lson
  
  "dependencies": {
    "vue": "^3.2.26",
    "vue-loader": "^17.1.1",
    "vue-svg-loader": "^0.16.0",
    "vue-template-compiler": "^2.0.0",
    "webpack": "^5.0.0"
  },

page is not scrolling to specific div with id in reactjs using react bootstrap navbar

page is not scrolling to specific div with id but its working on desktop but not in mobile devices and tablet

I tried to use react-router hash link but still its not working don’t know why?
need help??

function NavigationBar() {
  return (
    <Navbar collapseOnSelect expand="lg" variant="light" bg="light">
      <Container fluid className="m-2">
        <Navbar.Brand href="/">
          <Logo />
        </Navbar.Brand>
        <Navbar.Toggle aria-controls={`offcanvasNavbar-expand-md`} />
        <Navbar.Offcanvas
          id={`offcanvasNavbar-expand-md}`}
          aria-labelledby={`offcanvasNavbarLabel-expand-md`}
          placement="end"
        >
          <Offcanvas.Header closeButton>
            <Offcanvas.Title
              id={`offcanvasNavbarLabel-expand-md`}
            ></Offcanvas.Title>
          </Offcanvas.Header>
          <Offcanvas.Body>
            <Nav className="justify-content-end align-items-center flex-grow-1 text-center">
              <Nav.Link href="/#about">
                <span>01.</span>About
              </Nav.Link>
              <Nav.Link href="/#work">
                <span>02.</span>Work
              </Nav.Link>
              <Nav.Link className="nav-last" href="/#contact">
                <span>03.</span>Contact
              </Nav.Link>
              <div style={{ width: "100px" }}>
                <Button Padding="0.65rem 1rem">Resume</Button>
              </div>
            </Nav>
          </Offcanvas.Body>
        </Navbar.Offcanvas>
      </Container>
    </Navbar>
  );
}

export default NavigationBar;

How to Generate 1001 Unique JavaScript Expressions with a Value of i Using Only ![]+-* Characters?

You should simply upload or paste the output file. Your output should contain 1001
lines. For each i from range [0, 1000], line i + 1 of the output must contain a valid
JavaScript expression consisting only of the characters ![]+-* that results to a number
typeof(result) == “number” with value i. Note that the expression should not contain
any whitespace.
Additionally, each JavaScript expression should contain no more than 200
characters.
Example of the output
+![]
+!![]
… (999 more lines)

the answer ……….

Is there an event triggered when a ratio button is checked?

In JavaScript, is there an event triggered when a radio button is checked?

<input type="radio" name="radio" id="radio1">
<input type="radio" name="radio" id="radio2" checked>
<input type="radio" name="radio" id="radio3">

Is something like the following possible?

document.getElementById("radio1").addEventListener('checked', () => {
    // Do something when the first radio button is checked
})

JSfidde: https://jsfiddle.net/Imabot/ko486uqe/2/