I am trying to implement a list of options using <form>
and <select>
. Researching on the web, I notice that this is used to redirect to sections of the same website, but I want to make it work so that the user display the options and when they click on submit it redirects them to an external website.
JavaScript
x
24
24
1
import React from 'react';
2
3
export default function App() {
4
function handleChange(value) {
5
// Do some stuff
6
}
7
8
return (
9
10
/* what i have tried using onChange */
11
<form >
12
<select value={data} onChange="this.options[this.selectedIndex].value && (window.location = this.options[this.selectedIndex].value);">
13
14
<option value="https://www.example.com">example</option>
15
<option value="https://www.example.com">example</option>
16
<option value="https://www.example.com">example</option>
17
18
</select>
19
<input type="submit" value="Submit"/>
20
</form>
21
/* */
22
)
23
}
24
Can I include inside some element like <option>"onChange method to_redirect='www.google.com'"</option>
or what other way could make the website redirect users?
Advertisement
Answer
Navigating outside your application has nothing to do with react-router
.
- Store the selection in a state variable
- On submit, use
window.location
to navigate to the chosen option
JavaScript
1
37
37
1
import { useState } from "react";
2
3
const options = [
4
{ value: "https://example.com/", label: "example" },
5
{ value: "https://example.com/", label: "example" },
6
{ value: "https://example.com/", label: "example" }
7
];
8
9
export default function App() {
10
const [url, setUrl] = useState("");
11
12
const handleSubmit = (e) => {
13
e.preventDefault();
14
window.location = url;
15
};
16
17
const handleChange = (e) => {
18
setUrl(e.target.value);
19
};
20
21
return (
22
<form onSubmit={handleSubmit}>
23
<select required onChange={handleChange} defaultValue="">
24
<option disabled hidden value="">
25
Select a destination
26
</option>
27
{options.map(({ value, label }, i) => (
28
<option key={i} value={value}>
29
{label}
30
</option>
31
))}
32
</select>
33
<button type="submit">Submit</button>
34
</form>
35
);
36
}
37