GoLang で[]uint8
バイト スライスをに変換しようとしています。float64
この問題の解決策がオンラインで見つかりません。最初に文字列に変換してから a に変換するという提案を見てきましたfloat64
が、これは機能していないようです。値が失われ、最終的にゼロになります。
例:
metric.Value, _ = strconv.ParseFloat(string(column.Value), 64)
そして、それは機能しません...
例えば、
package main
import (
"encoding/binary"
"fmt"
"math"
)
func Float64frombytes(bytes []byte) float64 {
bits := binary.LittleEndian.Uint64(bytes)
float := math.Float64frombits(bits)
return float
}
func Float64bytes(float float64) []byte {
bits := math.Float64bits(float)
bytes := make([]byte, 8)
binary.LittleEndian.PutUint64(bytes, bits)
return bytes
}
func main() {
bytes := Float64bytes(math.Pi)
fmt.Println(bytes)
float := Float64frombytes(bytes)
fmt.Println(float)
}
出力:
[24 45 68 84 251 33 9 64]
3.141592653589793
Go ドキュメントのこの例は、あなたが探しているものだと思います: http://golang.org/pkg/encoding/binary/#example_Read
var pi float64
b := []byte{0x18, 0x2d, 0x44, 0x54, 0xfb, 0x21, 0x09, 0x40}
buf := bytes.NewReader(b)
err := binary.Read(buf, binary.LittleEndian, &pi)
if err != nil {
fmt.Println("binary.Read failed:", err)
}
fmt.Print(pi)
プリント 3.141592653589793
コメントが読むように、それはすべて、[]uint8
スライスにあるデータの種類によって異なります。
リトル エンディアン順で IEEE 754 浮動小数点値を表すバイトの場合は、Kluyg または peterSo の (リフレクションを使用しないほうがパフォーマンスが良い) 回答を使用します。
これが Latin-1/UTF-8 エンコーディングのテキスト表現である場合は、今行ったことを実行できるはずです。
package main
import (
"fmt"
"strconv"
)
func main() {
var f float64
text := []uint8("1.23") // A decimal value represented as Latin-1 text
f, err := strconv.ParseFloat(string(text), 64)
if err != nil {
panic(err)
}
fmt.Println(f)
}
結果:
1.23
プレイグラウンド: http://play.golang.org/p/-7iKRDG_ZM
このハックがお役に立てば幸いです。その目的は、2 進数の長いストリームを float に変換することです。
例: 0110111100010010100000111100000011001010001000010000100111000000 -> -3.1415
func binFloat(bin string) float64 {
var s1 []byte
var result float64
if len(bin) % 8 == 0 {
for i := 0; i < len(bin) / 8; i++ {
//Chop the strings into a segment with a length of 8.
//Convert the string to Integer and to byte
num, _ := strconv.ParseInt(bin[8*i: 8*(i + 1)], 2, 64)
//Store the byte into a slice s1
s1 = append(s1, byte(num))
}
}
//convert the byte slice to a float64.
//The algorithm below are copied from golang binary examples.
buf := bytes.NewReader(s1)
//You can also change binary.LittleEndian to binary.BigEndian
//For the details of Endianness, please google Endianness
err := binary.Read(buf, binary.LittleEndian, &result)
if err != nil {
panic(err)
fmt.Println("Length of the binary is not in the length of 8")
}
return result
}