Issue
Python can multiply strings like so:
Python 3.4.3 (default, Mar 26 2015, 22:03:40)
[GCC 4.9.2] on linux
Type "help", "copyright", "credits" or "license" for more information.
>>> x = 'my new text is this long'
>>> y = '#' * len(x)
>>> y
'########################'
>>>
Can Golang do the equivalent somehow?
Solution
It has a function instead of an operator, strings.Repeat
. Here's a port of your Python example, which you can run here:
package main
import (
"fmt"
"strings"
"unicode/utf8"
)
func main() {
x := "my new text is this long"
y := strings.Repeat("#", utf8.RuneCountInString(x))
fmt.Println(x)
fmt.Println(y)
}
Note that I've used utf8.RuneCountInString(x)
instead of len(x)
; the former counts "runes" (Unicode code points), while the latter counts bytes. In the case of "my new text is this long"
, the difference doesn't matter since all the characters are only one byte, but it's good to get into the habit of specifying what you mean:
len("ā") //=> 2
utf8.RuneCountInString("ā") //=> 1
Since this was a Python comparison question, note that in Python, the one function len
counts different things depending on what you call it on. In Python 2, it counted bytes on plain strings and runes on Unicode strings (u'...'
):
Python 2.7.18 (default, Aug 15 2020, 17:03:20)
>>> len('ā') #=> 2
>>> len(u'ā') #=> 1
Whereas in modern Python, plain strings are Unicode strings:
Python 3.9.6 (default, Jun 29 2021, 19:36:19)
>>> len('ā') #=> 1
If you want to count bytes, you need to encode the string into a bytearray
first:
>>> len('ā'.encode('UTF-8')) #=> 2
So Python has multiple types of string and one function to get their lengths; Go has only one kind of string, but you have to pick the length function that matches the semantics you want.
Answered By - Mark Reed
0 comments:
Post a Comment
Note: Only a member of this blog may post a comment.