How to get an "E" output rather than 69?
package main
import "fmt"
func main() {
fmt.Print("HELLO"[1])
}
Does Golang have function to convert a char to byte and vice versa?
How to get an "E" output rather than 69?
package main
import "fmt"
func main() {
fmt.Print("HELLO"[1])
}
Does Golang have function to convert a char to byte and vice versa?
Interpreted string literals are character sequences between double quotes "" using the (possibly multi-byte) UTF-8 encoding of individual characters. In UTF-8, ASCII characters are single-byte corresponding to the first 128 Unicode characters. Strings behave like slices of bytes. A rune is an integer value identifying a Unicode code point. Therefore,
package main
import "fmt"
func main() {
fmt.Println(string("Hello"[1])) // ASCII only
fmt.Println(string([]rune("Hello, 世界")[1])) // UTF-8
fmt.Println(string([]rune("Hello, 世界")[8])) // UTF-8
}
Output:
e
e
界
Read:
Go Programming Language Specification section on Conversions.
How about this?
fmt.Printf("%c","HELLO"[1])
As Peter points out, to allow for more than just ASCII:
fmt.Printf("%c", []rune("HELLO")[1])
Can be done via slicing too
package main
import "fmt"
func main() {
fmt.Print("HELLO"[1:2])
}
NOTE: This solution only works for ASCII characters.
You can also try typecasting it with string.
package main
import "fmt"
func main() {
fmt.Println(string("Hello"[1]))
}
Go doesn't really have a character type as such. byte is often used for ASCII characters, and rune is used for Unicode characters, but they are both just aliases for integer types (uint8 and int32). So if you want to force them to be printed as characters instead of numbers, you need to use Printf("%c", x)
. The %c
format specification works for any integer type.
The general solution to interpreting a char as a string is string("HELLO"[1])
.
Rich's solution also works, of course.
Try this to get the charecters by their index
package main
import (
"fmt"
"strings"
)
func main() {
str := strings.Split("HELLO","")
fmt.Print(str[1])
}
String characters are runes, so to print them, you have to turn them back into String.
fmt.Print(string("HELLO"[1]))
Another Solution to isolate a character in a string
package main
import "fmt"
func main() {
var word string = "ZbjTS"
// P R I N T
fmt.Println(word)
yo := string([]rune(word)[0])
fmt.Println(yo)
//I N D E X
x :=0
for x < len(word){
yo := string([]rune(word)[x])
fmt.Println(yo)
x+=1
}
}
for string arrays also:
fmt.Println(string([]rune(sArray[0])[0]))
// = commented line
The solution will be :
package main
import "fmt"
func main() {
str := "HELLO"
string(str[0])//H
string(str[1])//E
string(str[2])//L
string(str[3])//L
string(str[4])//O
}