Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to use fmt.scanln read from a string separated by spaces

Tags:

string

input

go

Want "30 of month" but get "30"

package main

import "fmt"

func main() {
    var s string
    fmt.Scanln(&s)
    fmt.Println(s)
    return
}

$ go run test.go
31 of month
31

Scanln is similar to Scan, but stops scanning at a newline and after the final item there must be a newline or EOF.

like image 803
Shuumatsu Avatar asked Jan 07 '16 03:01

Shuumatsu


3 Answers

The fmt Scan family scan space-separated tokens.

package main

import (
    "fmt"
)

func main() {
    var s1 string
    var s2 string
    fmt.Scanln(&s1,&s2)
    fmt.Println(s1)
    fmt.Println(s2)
    return
}

You can try bufio scan

package main
import (
    "bufio"
    "fmt"
    "os"
)

func main() {
    scanner := bufio.NewScanner(os.Stdin)
    for scanner.Scan() {
        s := scanner.Text()
        fmt.Println(s)
    }
    if err := scanner.Err(); err != nil {
        os.Exit(1)
    }
}
like image 169
trquoccuong Avatar answered Nov 05 '22 10:11

trquoccuong


If you really want to include the spaces, you may consider using fmt.Scanf() with format %q a double-quoted string safely escaped with Go syntax , for example:

package main

import "fmt"

func main() {
    var s string
    fmt.Scanf("%q", &s)
    fmt.Println(s)
    return
}

Run it and:

$ go run test.go
"31 of month"
31 of month
like image 9
yee Avatar answered Nov 05 '22 10:11

yee


Here is the working program

package main

import (
    "bufio"
    "fmt"
    "os"
)

func main() {
    var strInput string
    fmt.Println("Enter a string ")
    scanner := bufio.NewScanner(os.Stdin)

    if scanner.Scan() {
        strInput = scanner.Text()
    }
    
    fmt.Println(strInput)
}

which reads strings like " d skd a efju N" and prints the same string as output.

like image 3
Venkataramana Madugula Avatar answered Nov 05 '22 10:11

Venkataramana Madugula