Home > front end >  React "append" component to DOM?
React "append" component to DOM?

Time:10-14

I'm new to React and I'm trying to render a component when a user tries to login with wrong login details. I have a Login.jsx page where I render the login form, and handles all the login logic in a async function. This all works fine. If the login details are wrong I have an ErrorModal component render in at an already set div with the ID of error-modal.

ReactDOM.render(<ErrorModal />, document.getElementById('error-modal'))
...

function Login() {
  const userRef = React.useRef()
  const passRef = React.useRef()
  const loginErr = React.useRef()
  const handleLogin = async (e) => {
    e.preventDefault()
    requestLogin(userRef.current.value, passRef.current.value, loginErr)
  }

  return (
    <form className='login-form' onSubmit={handleLogin}>
        <Field ref={userRef} label='Username:' type='text' />
        <Field ref={passRef} label='Password:' type='password' />
        <div className='button-wrapper'>
          <button type='submit' className='btn'>Login</button>
        </div>
        <div id='error-modal'></div>
    </form>
  )
}

export default Login

Do I need to have the error-modal div already in the DOM, or can I just append the ErrorModal component after another DOM element somehow (like inside the form or just outside the form) and not worry about the error-modal div being "hard coded"?

CodePudding user response:

There are multible ways to solve your problem:

  1. inline if

When you click the button you just update a react hook to say if an error has accured or it has succeded


  1. Private Routes
    https://medium.com/@thanhbinh.tran93/private-route-public-route-and-restricted-route-with-react-router-d50b27c15f5e

CodePudding user response:

you can do it by creating a simple state like this

function Login() {
const [error,setError]=React.useState("")
  const userRef = React.useRef()
  const passRef = React.useRef()
  const loginErr = React.useRef()
  const handleLogin = async (e) => {
    e.preventDefault()
    const res=requestLogin(userRef.current.value, passRef.current.value, loginErr)
//assuming that above function does a post call via fetch
//and also assuming that in case of wrong credentials error was passed from backend
   const data=res.json()
   if(!res.ok) setError(data.error);
     
  }

  return (
    <form className='login-form' onSubmit={handleLogin}>
        <Field ref={userRef} label='Username:' type='text' />
        <Field ref={passRef} label='Password:' type='password' />
        <div className='button-wrapper'>
          <button type='submit' className='btn'>Login</button>
        </div>
        <div id='error-modal'>{error.length>0 && error}</div>
    </form>
  )
}

export default Login

CodePudding user response:

You should use Conditional Rendering.

Here's an example:

function Login() {
  const [userCredentials, setUserCredentials] = useState({
    email: "",
    password: ""
  });

  const [error, setError] = useState(false);

  const handleLogin = async (e) => {
    e.preventDefault();
    try {
      const res = await requestLogin(userCredentials);
      if (!res.ok) {
        throw Error("Login failed...");
      }
    } catch (e) {
      setError(true);
      console.error(e);
    }
  };

  const handleUserCredentialsChange = (e) => {
    setUserCredentials({ ...userCredentials, [e.target.name]: e.target.value });
  };
    
  return (
    <>
      <form onSubmit={handleLogin}>
        <input
          placeholder="Email"
          name="email"
          value={userCredentials.email}
          onChange={handleUserCredentialsChange}
        />
        <input
          placeholder="Password"
          name="password"
          value={userCredentials.password}
          type="password"
          onChange={handleUserCredentialsChange}
        />
        <input type="submit" />
      </form>
      {error && (
        <div style={modalContainer}>
          <div style={{ backgroundColor: "aliceblue", padding: 40 }}>
            <h1>Something went wrong...</h1>
            <button onClick={() => setError(false)}>Close</button>
          </div>
        </div>
      )}
    </>
  );
}

function requestLogin(userCredentials) {
  return fetch("api/login", {
    method: "POST",
    body: JSON.stringify(userCredentials),
    headers: {
      "Content-Type": "application/json"
    }
  });
}

const modalContainer = {
  position: "absolute",
  zIndex: 100,
  top: 0,
  bottom: 0,
  left: 0,
  right: 0,
  display: "flex",
  justifyContent: "center",
  alignItems: "center",
  backgroundColor: "rgba(0,0,0,0.5)"
};

Check it out on Code Sandbox if u want to run it in the browser.

  • Related