I want to add a random amount of characters before an element, repeat that element 20 times, with a diffrent amount of characters before each time. For example:
JavaScript
x
9
1
function App() {
2
return (
3
<>
4
Hello World! This is time {i}
5
// I want to add a random amount of spaces before the h1 tags above. I also want to repeat that h1 tags 20 times with a different amount of spaces before each h1 tag
6
</>
7
)
8
}
9
An example of what I want to return is
Hello World! This is time 1
Hello World! This is time 2
Hello World! This is time 3
Hello World! This is time 4
………
Each with a diffrent amount of spaces.
Advertisement
Answer
JavaScript
1
19
19
1
function HeaderWithLeadingSpacing({ maxSpacing = 20, num }) {
2
const rdn = Math.round(Math.random() * maxSpacing);
3
const spacing = Array.from(Array(rdn), () => 'u00A0');
4
5
return (
6
<h1>{spacing}Hello World! This is number {num}</h1>
7
)
8
}
9
10
function App() {
11
return Array.from(Array(20), (_, i) => (
12
<HeaderWithLeadingSpacing
13
maxSpacing={10}
14
num={i + 1}
15
/>
16
));
17
}
18
19
ReactDOM.render(<App />, document.getElementById('app'))
JavaScript
1
6
1
<script src="https://cdnjs.cloudflare.com/ajax/libs/react/16.6.3/umd/react.production.min.js"></script>
2
<script src="https://cdnjs.cloudflare.com/ajax/libs/react-dom/16.6.3/umd/react-dom.production.min.js"></script>
3
4
5
6
<div id="app"></div>
If I have understood correctly, the above code should do the trick.