aboutsummaryrefslogtreecommitdiff
path: root/part2/phonebook/src/App.js
blob: fd79a34aaf95b7c0cea9d979c1cacbe05dca7d75 (plain)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
// Extract form element into its own component
import { useState } from 'react'

const ShowPerson = (props) => {
      const searchTerm = props.searchTerm
      const persons = props.persons
      if (searchTerm === undefined)  {
        return persons.map( (person) => {
          return (<li key={person.id}>{person.name} {person.phoneNumber}</li>)})
      } else {
          const searchedList = persons.filter( (person) =>
            {return person.name.includes(props.searchTerm)});
          console.log(searchedList)
          return searchedList.map( (searched) => {
            return (<li key={searched.id}>{searched.name} {searched.phoneNumber}</li>)
          } )
      }
  }

const Filter = (props) => {
  return (
    <p>filter shown with <input value={props.searchTerm} onChange={(event) =>
      props.setSearchTerm(event.target.value)} /></p>
  )
}

const App = () => {
  const [persons, setPersons] = useState([
    { name: 'Arto Hellas', phoneNumber: '000-000-0000', id: 1 },
    { name: 'John F Kennedy', phoneNumber: '1-800-NASA', id: 2 },
    { name: 'Julius K Nyerere', phoneNumber: '1-800-UHURU', id: 3 },
  ])
  const [newName, setNewName] = useState('')
  const [phoneNumber, setPhoneNumber] = useState('')
  const [searchTerm, setSearchTerm] = useState('')

  const addContact = (event) => {
    event.preventDefault()
    console.log(newName, persons)
    if (persons.find(person => person.name === newName)) {
      alert(`${newName} is already added to phonebook`)
    } else  {
      const newPerson = {
        name: newName,
        id: persons.length + 1,
        phoneNumber: phoneNumber,
      }
    setPersons(persons.concat(newPerson))
  }}

  const handleTypedName = (event) => {
    //console.log(event.target.value)
    setNewName(event.target.value)
    //console.log(newName)
  }

  const handlePhoneNo = (event) => {
    setPhoneNumber(event.target.value)
  }

  
    

  return (
    <div>
      <h2>Phonebook</h2>
      <Filter searchTerm={searchTerm} setSearchTerm={setSearchTerm}/>
      
      <h2> add new contact </h2>
      <form onSubmit={addContact}>
        <div>
          <p>name: <input value={newName} onChange={handleTypedName} /></p>
          <p>number: <input value={phoneNumber} onChange={handlePhoneNo} /></p>
        </div>
        <div>
          <button  type="submit">add</button>
        </div>
      </form>
      <h2>Numbers</h2>
      <ShowPerson searchTerm={searchTerm} persons={persons} 
        />
    </div>
  )
}

export default App