// src/components/multiplecounters.jsx
import React, { Component } from "react";
import Counter from "./counter";
class MultipleCounters extends Component {
state = {
counters: [
{ id: 1, cvalue: 3 },
{ id: 2, cvalue: 1 },
{ id: 3, cvalue: 7 }
]
};
// Handle event - update the state
deleteCounter = id => {
const newState = this.state.counters.filter(cr => cr.id !== id);
this.setState({ counters: newState });
};
render() {
return (
<div>
{this.state.counters.map(mcounter => (
// Pass data
<Counter
key={mcounter.id}
// Pass reference of the function to child component: Counter
onDelete={this.deleteCounter}
// Pass state id and cvalue to: Counter
mcounter={mcounter}
/>
))}
</div>
);
}
}
export default MultipleCounters;// src/components/counter.jsx
import React, { Component } from "react";
class Counter extends Component {
state = {
total: this.props.mcounter.cvalue
};
totalPlus = e => {
console.log(e);
// Update the state
this.setState({ total: this.state.total + 1 });
};
render() {
console.log(this.props);
return (
<div>
<h5>Counter Number: {this.props.id}</h5>
<span className={this.setStyle()}>
Render Dynamically With bootstrap.css: {this.getTotal()}
</span>
{/* Pass event argument */}
<button
onClick={() => this.totalPlus({ id: 8364 })}
className="btn btn-secondary btn-sm"
>
+
</button>
{/* Raise event */}
<button
onClick={() => this.props.onDelete(this.props.mcounter.id)}
className="btn btn-danger btn-sm m-2"
>
Del
</button>
</div>
);
}
setStyle() {
let classes = "badge m-2 badge-";
classes += this.state.total === 0 ? "warning" : "primary";
return classes;
}
getTotal() {
const { total } = this.state;
return total === 0 ? "Zero" : total;
}
}
export default Counter;// src/index.js
import React from 'react';
import ReactDOM from 'react-dom';
import './index.css';
import App from './App';
import * as serviceWorker from './serviceWorker';
import 'bootstrap/dist/css/bootstrap.css';
import MultipleCounters from './components/multiplecounters'
ReactDOM.render(
<MultipleCounters />,
document.getElementById('root')
);
serviceWorker.unregister();
/*
run:
{id: 8364}
{mcounter: {…}, onDelete: ƒ}
{id: 8364}
{mcounter: {…}, onDelete: ƒ}
deleteCounter()
deleteCounter()
deleteCounter()
*/