add: map exercises and quiz

This commit is contained in:
Inanc Gumus
2019-05-05 00:41:44 +03:00
parent 03c753fe56
commit c6ec3af17e
8 changed files with 390 additions and 3 deletions

View File

@ -0,0 +1,68 @@
package main
// ---------------------------------------------------------
// EXERCISE: Students
//
// Create a program that returns the students by the given
// Hogwarts house name (see the data below).
//
// Print the students sorted by name.
//
// "bobo" doesn't belong to Hogwarts, remove it by using
// the delete function.
//
//
// RESTRICTIONS
//
// + Add the following data to your map as is.
// Do not sort it manually and do not modify it.
//
// + Slices in the map shouldn't be sorted (changed).
// HINT: Copy them.
//
//
// EXPECTED OUTPUT
//
// go run main.go
//
// Please type a Hogwarts house name.
//
//
// go run main.go bobo
//
// Sorry. I don't know anything about "bobo".
//
//
// go run main.go hufflepuf
//
// ~~~ hufflepuf students ~~~
//
// + diggory
// + helga
// + scamander
// + wenlock
//
// ---------------------------------------------------------
func main() {
// House Student Name
// ---------------------------
// gryffindor weasley
// gryffindor hagrid
// gryffindor dumbledore
// gryffindor lupin
// hufflepuf wenlock
// hufflepuf scamander
// hufflepuf helga
// hufflepuf diggory
// ravenclaw flitwick
// ravenclaw bagnold
// ravenclaw wildsmith
// ravenclaw montmorency
// slytherin horace
// slytherin nigellus
// slytherin higgs
// slytherin scorpius
// bobo wizardry
// bobo unwanted
}

View File

@ -0,0 +1,48 @@
// For more tutorials: https://blog.learngoprogramming.com
//
// Copyright © 2018 Inanc Gumus
// Learn Go Programming Course
// License: https://creativecommons.org/licenses/by-nc-sa/4.0/
//
package main
import (
"fmt"
"os"
"sort"
)
func main() {
houses := map[string][]string{
"gryffindor": {"weasley", "hagrid", "dumbledore", "lupin"},
"hufflepuf": {"wenlock", "scamander", "helga", "diggory", "bobo"},
"ravenclaw": {"flitwick", "bagnold", "wildsmith", "montmorency"},
"slytherin": {"horace", "nigellus", "higgs", "bobo", "scorpius"},
"bobo": {"wizardry", "unwanted"},
}
// remove "bobo" house
delete(houses, "bobo")
args := os.Args[1:]
if len(args) < 1 {
fmt.Println("Please type a Hogwarts house name.")
return
}
house, students := args[0], houses[args[0]]
if students == nil {
fmt.Printf("Sorry. I don't know anything about %q.\n", house)
return
}
// only sort the clone
clone := append([]string(nil), students...)
sort.Strings(clone)
fmt.Printf("~~~ %s students ~~~\n\n", house)
for _, student := range clone {
fmt.Printf("\t+ %s\n", student)
}
}