Instagram
youtube
Facebook

Student Management App (JSX + Components + Routing)

Mradul Mishra
Table of Contents

Build a simple Student Management App using React to understand JSX, props, components, and React Router. Ideal for beginners and classroom teaching.

Features:

  • View student list

  • Add a new student

  • Learn routing, props, state, and component interactions


Project Structure

npx create-react-app student-management
cd student-management
npm install react-router-dom
npm start
src/ 
   ├── App.js 
   ├── index.js 
   ├── components/ │ 
                   ├── Navbar.js │ 
                   ├── StudentList.js │ 
                   ├── StudentCard.js │ 
                   └── AddStudentForm.js 
   ├── pages/ │ 
              ├── Home.js │ 
              ├── Students.js │ 
              └── AddStudent.js 

1. index.js

import React from "react";
import ReactDOM from "react-dom/client";
import { BrowserRouter } from "react-router-dom";
import App from "./App";

const root = ReactDOM.createRoot(document.getElementById("root"));
root.render(
  <BrowserRouter>
    <App />
  </BrowserRouter>
);

2. App.js

import React, { useState } from "react";
import { Routes, Route } from "react-router-dom";
import Navbar from "./components/Navbar";
import Home from "./pages/Home";
import Students from "./pages/Students";
import AddStudent from "./pages/AddStudent";

function App() {
  const [students, setStudents] = useState([
    { id: 1, name: "Aman", age: 23 },
    { id: 2, name: "Anjali", age: 21 }
  ]);

  return (
    <div>
      <Navbar />
      <Routes>
        <Route path="/" element={<Home />} />
        <Route path="/students" element={<Students students={students} />} />
        <Route path="/add-student" element={<AddStudent setStudents={setStudents} />} />
      </Routes>
    </div>
  );
}

export default App;

3. components/Navbar.js

import React from "react";
import { Link } from "react-router-dom";

const Navbar = () => {
  return (
    <nav style={{ padding: "1rem", backgroundColor: "#eee", display: "flex", gap: "1rem" }}>
      <Link to="/">Home</Link>
      <Link to="/students">Students</Link>
      <Link to="/add-student">Add Student</Link>
    </nav>
  );
};

export default Navbar;

4. pages/Home.js

import React from "react";

const Home = () => {
  return <h2>Welcome to the Student Management System</h2>;
};

export default Home;

5. pages/Students.js

import React from "react";
import StudentList from "../components/StudentList";

const Students = ({ students }) => {
  return (
    <div>
      <h2>Student List</h2>
      <StudentList students={students} />
    </div>
  );
};

export default Students;

6. components/StudentList.js

import React from "react";
import StudentCard from "./StudentCard";

const StudentList = ({ students }) => {
  return (
    <div>
      {students.map((student) => (
        <StudentCard key={student.id} student={student} />
      ))}
    </div>
  );
};

export default StudentList;

7. components/StudentCard.js

import React from "react";

const StudentCard = ({ student }) => {
  return (
    <div style={{ border: "1px solid #ccc", margin: "10px", padding: "10px", borderRadius: "6px" }}>
      <h4>Name: {student.name}</h4>
      <p>Age: {student.age}</p>
    </div>
  );
};

export default StudentCard;

8. pages/AddStudent.js

import React from "react";
import AddStudentForm from "../components/AddStudentForm";

const AddStudent = ({ setStudents }) => {
  return (
    <div>
      <h2>Add New Student</h2>
      <AddStudentForm setStudents={setStudents} />
    </div>
  );
};

export default AddStudent;

9. components/AddStudentForm.js

import React, { useState } from "react";
import { useNavigate } from "react-router-dom";

const AddStudentForm = ({ setStudents }) => {
  const [name, setName] = useState("");
  const [age, setAge] = useState("");
  const navigate = useNavigate();

  const handleSubmit = (e) => {
    e.preventDefault();
    const newStudent = {
      id: Date.now(),
      name,
      age: parseInt(age, 10)
    };
    setStudents((prev) => [...prev, newStudent]);
    navigate("/students");
  };

  return (
    <form onSubmit={handleSubmit}>
      <div style={{ marginBottom: "10px" }}>
        <label>Name: </label>
        <input value={name} onChange={(e) => setName(e.target.value)} required />
      </div>
      <div style={{ marginBottom: "10px" }}>
        <label>Age: </label>
        <input type="number" value={age} onChange={(e) => setAge(e.target.value)} required />
      </div>
      <button type="submit">Add Student</button>
    </form>
  );
};

export default AddStudentForm;

Concepts Covered in This Project

Concept Where It's Used
JSX All components use JSX
useState To store student data in App.js
useNavigate To redirect after form submission
Props Passing data/functions to components
Routing BrowserRouter, Routes, and Route
Component Structure Navbar, StudentList, StudentCard, Form

 


Add a comment:

Comments:

JeraldApeds

<div contenteditable="true" id="output" class="css-typing"><h1>How Are Electoral Votes Calculated?</h1> <p>The United States electoral system can often seem intricate and shrouded in complexity, particularly for those not deeply versed in political science. A key component of this system is the Electoral College, which is paramount in determining the outcome of presidential elections. Understanding how electoral votes are calculated not only demystifies the election process, but also reinforces the importance of civic engagement in democratic systems. </p> <p>In this article, I aim to elucidate the method by which electoral votes are assigned and distributed among the states, discuss the implications of this system, and answer some frequently asked questions.</p> <h2>The Structure of the Electoral College</h2> <p>The Electoral College consists of 538 electors, with a majority of 270 votes needed to win the presidency. Each state’s number of electors is equal to the total number of its Senators and Representatives in Congress. Consequently, all states are represented by at least three electors—two Senators and at least one Representative.</p> <h3>Table 1: Distribution of Electoral Votes by State</h3> <table> <thead> <tr> <th>State</th> <th>Number of Electors</th> <th>State Population (est.)</th> </tr> </thead> <tbody><tr> <td>Alabama</td> <td>9</td> <td>5,024,279</td> </tr> <tr> <td>Alaska</td> <td>3</td> <td>733,391</td> </tr> <tr> <td>Arizona</td> <td>11</td> <td>7,151,502</td> </tr> <tr> <td>California</td> <td>55</td> <td>39,538,223</td> </tr> <tr> <td>Florida</td> <td>29</td> <td>21,538,187</td> </tr> <tr> <td>New York</td> <td>28</td> <td>20,201,249</td> </tr> <tr> <td>Texas</td> <td>40</td> <td>29,145,505</td> </tr> <tr> <td>Wyoming</td> <td>3</td> <td>576,851</td> </tr> <tr> <td><strong>Total</strong></td> <td><strong>538</strong></td> <td></td> </tr> </tbody></table> <p>This electoral vote distribution is recalibrated every ten years following the census, as population shifts can lead to changes in congressional representation.</p> <h2>How Are Electoral Votes Calculated?</h2> <p>The process can be broken down into a few simple steps:</p> <ol> <li><p><strong>Census and Apportionment</strong>: Every ten years, the U.S. conducts a census that counts the population of each state. The data collected from the census not only informs federal funding but also the apportionment of congressional seats and, subsequently, electoral votes.</p> </li> <li><p><strong>State Allocation</strong>: Based on the apportionment from the census, states are assigned electoral votes proportional to their respective populations. For instance, larger states like California and Texas have more electoral votes compared to smaller states like Wyoming and Vermont.</p> </li> <li><p><strong>State Electoral Processes</strong>: Generally, states employ a winner-takes-all system, where the candidate who wins the majority of the popular vote within that state receives all of its electoral votes. This is the case in 48 states, with Maine and Nebraska being the exceptions, employing a proportional distribution of votes.</p> </li> <li><p><strong>Certification</strong>: After the presidential election, each state verifies and certifies its results, affirming the electoral votes won by each candidate. These certified votes are then submitted to Congress.</p> </li> </ol> <h3>The Role of Public Opinion</h3> <p>It is essential to recognize that while the electoral vote system is designed to represent the population, it also reflects the political landscape of each state. The winner-takes-all system can lead to controversial outcomes, where the popular vote winner may not secure the presidency due to the distribution of electoral votes.</p> <blockquote> <p>“Elections are about choices, but they are also about rules. The rules that govern how votes are counted and how electoral votes are allocated can shape the choices we have.” – Anonymous</p> </blockquote> <h2>Implications of Electoral Votes</h2> <p>The Electoral College system has significant implications for campaign strategies and voter engagement. Candidates focus on swing states—those in which no single candidate has overwhelming support—rather than concentrating solely on areas with dense populations. This results in political resources being allocated unevenly, potentially leading to voter disenfranchisement in areas considered "safe" for one party or the other.</p> <h2>Frequently Asked Questions (FAQs)</h2> <h3>1. How many electoral votes does my state have?</h3> <p>To determine your state’s electoral votes, refer to the current apportionment table—remember that this is influenced by the most recent census.</p> <h3>2. What happens if no candidate receives 270 electoral votes?</h3> <p>If no candidate wins the necessary 270 electoral votes, the election is decided by the House of Representatives, where each state delegation casts one vote for one of the top three candidates.</p> <h3>3. Why do some states have more electoral votes than others?</h3> <p>Electoral votes are based on the number of congressional seats assigned to each state, which in turn depend on the state's population as measured in the census.</p> <h3>4. Why do we use the Electoral College instead of a direct popular vote?</h3> <p>The Founding Fathers established the Electoral College as a compromise between electing the president by a vote in Congress and by popular vote. It was designed to balance the influence of populous states with less populous ones.</p> <h3>5. How does the winner-takes-all system affect elections?</h3> <p>This system can lead to a discrepancy between the popular vote and electoral results, as it concentrates campaign attention on battleground states rather than reflecting the nationwide popular support for a candidate.</p> <h2>Conclusion</h2> <p>Understanding how electoral votes are calculated and allocated is essential for grasping the broader context of the American electoral system. The interplay between population, political strategy, and state representation shapes the electoral landscape in complex ways. By exploring these mechanisms, I hope to encourage more informed and engaged citizens, fostering a deeper appreciation for the democratic process that shapes our nation. </p> <p>Informed citizens are essential for a healthy democracy. I encourage everyone to partake in discussions about their electoral rights and responsibilities, as these discussions are vital for maintaining the integrity of our political institutions.</p> </div> https://salinas-kumar-2.thoughtlanes.net/how-to-calculate-frequency-physics https://nerdgaming.science https://www.google.st/url?q=https://apscorecalculator.xyz https://doc.adminforge.de/7ZiXxK-fSfONm5EK-FDP3Q/ https://faq.sectionsanywhere.com/user/pailvelvet14 https://www.footballzaa.com/out.php?url= https://gpsites.win/story.php?title=how-do-you-calculate-the-molecular-weight-of-a-compound#discuss https://pattern-wiki.win/wiki/How_to_calculate_the_natural_log https://urlscan.io/result/scan/ https://notes.io/wW7dN

Jeffreyjab

drunk driving laws about Ohio can be complicated still its important to have a good comprehension of all of them if someone find expenditures. Operating below that the influence of alcohol DUI will be a serious offense it can experience notable consequences on their life. In Ohio the particular legal limit for body ethanol content BAC is eight percentfor about motorists and additionally 0.04 business truck drivers. If you are stopped by legal social control and alleged of dwi they may carry out field sobriety reports or substance checks these types of that breathalyzer or bloodstream testing to figure out your very own level of harm. Declining these kind of tests can cause programmed consequences including license suspension. DUI offenses in Ohio bring different consequences counting on factors fancy earlier judgment of conviction BAC degree to regardless if generally there is an automobile accident or injury active. Outcomes might come with charges license suspension system vital booze process services probation and and even imprison time. Reiterate criminal acts and intensified problems can cause more harsh consequences. Obtaining a skilled DUI defensive attorney is essential to manage the difficulties of Ohio drunk driving statutes. They could analyze the data dispute the legalization of the break doubt the accurate of reports and enjoy potentially interested resistance to help reduce the charges. In addition an attorney at law can advise you throughout the sound process guaranteeing your very own permissions are covered and pushing for the ultimate imaginable end result. Keep in mind being knowledgeable around Ohios DUI statutes and searching the help of an encountered legal practitioner are critical actions in effortlessly maneuvering a DUI rate plus safeguarding the later. electronic crimes guard attorney

RaymondWar

Eye Movement Desensitization and Reprocessing healing for Survivors of at-home force: Taking back authority and organization Intimate partner violence is any pervasive as well as disturbing experience that can have deep effects on survivors psychological well-being. Eye Movement Sensory Desensitization and also Processing Eye Movement Desensitization and Reprocessing treatment offers a important resource with regard to survivors connected with home brutality supporting their journey toward recovery empowerment as well as restoring their power in addition to agency. In this forum post we delve into the use of EMDR therapy in survivors associated with domestic violence as well as talk about its potential benefits intended for dealing with trauma-related concerns as well as promoting resilience and also recovery. Among the primary challenges faced by survivors regarding domestic violence is the impact of trauma on their feeling of self-worth safety along with trust in others. EMDR therapy treatment supplies a safe in addition to positive space regarding survivors to be able to manage distressing memories along with emotions question negative beliefs about independently and develop more adaptive managing options. Further EMDR therapy can handle the complex interplay of trauma in addition to attachment issues in which often emerge within the context of family violence helping survivors to be able to navigate their affairs and also form healthier bounds. Likewise EMDR therapys focus on empowerment as well as agency aligns with the particular goals associated with many survivors regarding domestic violence who are generally looking to be able to regain control over their lives and escape from cycles of abuse. By presenting powerful along with accessible trauma healing EMDR therapy allows survivors within reclaiming their power in addition to creating a more hopeful long-term free from the tincture of the past times. Adolescent trauma-informed care 8_fab18

DavidMathe

To choose updates prefer credible publishers check facts note bias and find detail. Compare with multiple stories use expert analysis and set bulletins for topics you care. Build media skill https://smasters.com

Stephenrar

bogdanceftioogmail.com

mtaletqsbg

how many sleep aid tablets can i take prednisone for rash dosage prednisone mood swings can you take aleve and prednisone together hyper lipidemia

EdwinFes

1d1b506 Monthly SEO bundles for small businesses

xtaletwrdz

should you take melatonin every night does prednisone make you short of breath [url=https://essaydw.com/prednisone-immunosuppression.html]prednisone immunosuppression[/url] prednisone withdrawal side effects smoking cessation motivation

ftaletdsuv

knee pain from prednisone prednisone is for what prednisone and plavix https://canadianphx.com/ - prednisone side effects for dogs

TyronThara

Choosing a professional chiropractor is a proven way to address back discomfort long-term. Whether Youre dealing with persistent back tension sciatic discomfort or everyday tightness a licensed chiropractic expert can deliver measurable relief. many individuals search for terms like “back pain chiropractor” or “spinal adjustment specialist” Near Them because they understand that proper spine treatment requires expertise and hands-on precision. A qualified specialist targets long-term healing by developing custom care strategies. This includes chiropractic adjustments soft tissue therapy and Nervous system balance. By working with a spinal care expert who specializes in long-term discomfort and alignment issues patients often experience less discomfort more energy and improved quality of life. For anyone considering Chiropractic Care you should look for a specialist with demonstrated skill in addressing lumbar tension nerve pinching and spinal misalignment. back pain Chiropractor Salt lake city Why children can benefit from young patients 06f81ba

LanguageExplorerSic

Greetings Im glad to join this community. Im currently learning Hindi and enjoy exploring new languages. Happy to connect with other language learners here

Donalddex

Greetings to every single one of our soothing water buffs Theres absolutely nothing really like sinking into a steaming hot tub after a tiring day. For anyone in search of the ultimate serenity experience a hot tub is indeed unparalleled. Diversity is indeed the spiciness of lifetime and we wholeheartedly pride ourselves on offering a vast selection of spas to meet every preference. Craftsmanship to us is more than a simple word. Its our hallmark. Each of our products are subjected to intense testing to ensure they continuously provide the best relaxing experience for numerous years to come. Our well-informed staff are always on hand to guide you in selecting the best-suited hot tub for your needs and residence. Have you ever considered having your very own pleasure oasis? Things are your must-haves when it involves choosing the best jacuzzi? Lets discuss regarding it Keep lively and peaceful By the bye I launched my very own creative organization web pages not long ago you can view here: Spa tub repair Sun Lakes Arizona Adding Yoga and Hot Tubs for an Whole Health Method 56_d7af

SamuelVon

1xBet prides itself on its comprehensive sportsbook which encompasses a vast range of sports from all corners of the globe. Whether you have a passion for popular international sports such as football basketball tennis cricket or you prefer more niche sports 1xBet has something for everyone. You can place bets on both pre-match and live events taking advantage of competitive odds and a diverse selection of betting options to enhance your chances of winning. 1xbet Promo Code Welcome Get 100 Bonus Up To /€130 http://cvaa.com.ar/06inc/articles/1xbet_kenya_sign_up.html Promo code for 1xBet use this combination to increase your welcome bonus up to 100 on an amount reaching /€130 for registration. These funds are available to all new players who have already created an account or are planning to do so. The bonus requires wagering and it must be done in the sports section by placing bets with odds of at least 1.4 and a fivefold turnover. You have 30 days to use the code before it expires at the end of 2025. 1xBet Promo Code 2025 - this is a huge bonus of up to 1950 for the casino and 150 free spins on slots. An exclusive offer for new players aged 18 and above. To activate the code you need to make a deposit of 10. The second and subsequent deposits must be at least 15. You can participate in this promotion until the end of 2025.

LindaRewly

Finding your way about the a Social Security Disability application procedure may be an intimidating task for some. The process could be frustrating and time intensive, while the likelihood of getting dismissed are raised. That is where a social security disability legal representative is available in. Legal counsel can help you navigate the application process, enhance your likelihood of becoming authorized, then appeal a denied claim. In this essay, we are going to explore at least five tips linked to the activity of a social security disability attorney. Going through the maze of the Social Security Disability application procedure by using a legal professional The social security disability application function could be perplexing then stressful. Legal counsel will allow you to comprehend the requirements and show you through the method. They are able to also assist you to gather the necessary medical data and proof to aid your request. They are able to further help out with prepping someone for the proceeding, if necessary. The necessity of professional medical information in a Social Security Disability case Medical evidence is essential in a social security disability case. It is utilized to prove that you maintain a medical condition that prevents you from performing. Legal counsel will allow you to produce the mandatory medical information and offer it in a manner that is most probably to be acknowledged by the social security organisation. They may be able also allow you to acquire medical records and other forms that maintain your claim. Typical false beliefs up to Social Security Disability and how a lawyer might help There are lots of misinterpretations more than social security disability. For instance, many individuals genuinely believe that only those people who are permanently disabled are eligible for benefits. Although, this is simply not true. An attorney makes it possible to comprehend the eligibility requirements and dispel any misconceptions you may possibly have. They are able to also provide assistance with just how to present your case when you look at the most favorable light. The appeals process for waived Social Security Disability scenarios and just how legal counsel will help In the event the claim is denied, you've got the directly to appeal. A lawyer will allow you to understand the appeals plan and represent you through the hearing. They are able to also allow you to gather additional evidence and create a stronger case to boost your chances of triumph. How to pick the best Social Security Disability lawyer for your case It is vital to choose legal counsel who may have skills approaching social security disability cases. Seek out a legal professional that is acquainted with the social security administration's procedures and processes. You should also feel comfortable chatting with them and trust their judgment. Search for a lawyer who is able to create obvious and straightforward suggestions to your questions and supply assistance through the duration of the method. In summary, a social security disability legal practitioner can play a crucial role when you look at the application and appeals process. They could assist you to get around the process, enhance your odds of getting accredited, and appeal a rejected claim. A legal professional can also help you recognize the qualifications requirements and eliminate any fallacies you might have. You need to choose legal counsel who may have experience maneuvering social security disability situations, sufficient reason for that you feel at ease communicating. if you'd like to practice more about this subject have a look at my favorite ssa attorney website:   <a href=https://elpasodisabilitylawyer.com/age-50-and-disability/><font color=#000_url>top rated disability attorney near me in Las Cruces, NM</font></a>