2019-04-12 16:03:10 +03:00
|
|
|
// 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 (
|
|
|
|
"bufio"
|
|
|
|
"fmt"
|
|
|
|
"os"
|
|
|
|
"strconv"
|
|
|
|
"strings"
|
|
|
|
)
|
|
|
|
|
|
|
|
func main() {
|
|
|
|
var (
|
|
|
|
// Stores the visits per unique domain
|
|
|
|
sum = make(map[string]int)
|
|
|
|
|
|
|
|
// Stores the unique domain names for printing
|
|
|
|
domains []string
|
|
|
|
|
|
|
|
in = bufio.NewScanner(os.Stdin)
|
|
|
|
)
|
|
|
|
|
|
|
|
// Scan the standard-in line by line
|
2019-04-25 14:05:02 +03:00
|
|
|
for line := 1; in.Scan(); line++ {
|
2019-04-12 16:03:10 +03:00
|
|
|
// Parse the fields
|
|
|
|
fields := strings.Fields(in.Text())
|
|
|
|
if len(fields) != 2 {
|
|
|
|
fmt.Printf("wrong input: %v (line #%d)\n", fields, line)
|
|
|
|
return
|
|
|
|
}
|
|
|
|
domain, visits := fields[0], fields[1]
|
|
|
|
|
|
|
|
// Collect the unique domains
|
|
|
|
if _, ok := sum[domain]; !ok {
|
|
|
|
domains = append(domains, domain)
|
|
|
|
}
|
|
|
|
|
|
|
|
// Sum the total visits per domain
|
2019-04-25 14:05:02 +03:00
|
|
|
n, err := strconv.Atoi(visits)
|
|
|
|
if n < 0 || err != nil {
|
2019-04-12 16:03:10 +03:00
|
|
|
fmt.Printf("wrong input: %q (line #%d)\n", visits, line)
|
|
|
|
return
|
|
|
|
}
|
|
|
|
sum[domain] += n
|
|
|
|
}
|
|
|
|
|
|
|
|
// Print the visits per domain
|
|
|
|
var total int
|
|
|
|
for _, domain := range domains {
|
|
|
|
hits := sum[domain]
|
|
|
|
|
|
|
|
fmt.Printf("%-25s -> %d\n", domain, hits)
|
|
|
|
total += hits
|
|
|
|
}
|
|
|
|
|
|
|
|
// Print the total visits for all domains
|
|
|
|
fmt.Printf("\n%-25s -> %d\n", "TOTAL", total)
|
|
|
|
}
|