1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88
|
// Copyright (c) 2021 Klaus Post, released under MIT License. See LICENSE file.
// Package cpuid provides information about the CPU running the current program.
//
// CPU features are detected on startup, and kept for fast access through the life of the application.
// Currently x86 / x64 (AMD64) as well as arm64 is supported.
//
// You can access the CPU information by accessing the shared CPU variable of the cpuid library.
//
// Package home: https://github.com/klauspost/cpuid
package main
import (
"encoding/json"
"flag"
"fmt"
"log"
"os"
"strings"
"github.com/klauspost/cpuid/v2"
)
var js = flag.Bool("json", false, "Output as JSON")
var level = flag.Int("check-level", 0, "Check microarchitecture level. Exit code will be 0 if supported")
func main() {
flag.Parse()
if level != nil && *level > 0 {
if *level < 1 || *level > 4 {
log.Fatalln("Supply CPU level 1-4 to test as argument")
}
log.Println(cpuid.CPU.BrandName)
if cpuid.CPU.X64Level() < *level {
// Does os.Exit(1)
log.Fatalf("Microarchitecture level %d not supported. Max level is %d.", *level, cpuid.CPU.X64Level())
}
log.Printf("Microarchitecture level %d is supported. Max level is %d.", *level, cpuid.CPU.X64Level())
os.Exit(0)
}
if *js {
info := struct {
cpuid.CPUInfo
Features []string
X64Level int
}{
CPUInfo: cpuid.CPU,
Features: cpuid.CPU.FeatureSet(),
X64Level: cpuid.CPU.X64Level(),
}
b, err := json.MarshalIndent(info, "", " ")
if err != nil {
panic(err)
}
fmt.Println(string(b))
os.Exit(0)
}
fmt.Println("Name:", cpuid.CPU.BrandName)
fmt.Println("Vendor String:", cpuid.CPU.VendorString)
fmt.Println("Vendor ID:", cpuid.CPU.VendorID)
fmt.Println("PhysicalCores:", cpuid.CPU.PhysicalCores)
fmt.Println("Threads Per Core:", cpuid.CPU.ThreadsPerCore)
fmt.Println("Logical Cores:", cpuid.CPU.LogicalCores)
fmt.Println("CPU Family", cpuid.CPU.Family, "Model:", cpuid.CPU.Model, "Stepping:", cpuid.CPU.Stepping)
fmt.Println("Features:", strings.Join(cpuid.CPU.FeatureSet(), ","))
fmt.Println("Microarchitecture level:", cpuid.CPU.X64Level())
if cpuid.CPU.AVX10Level > 0 {
fmt.Println("AVX10 level:", cpuid.CPU.AVX10Level)
}
fmt.Println("Cacheline bytes:", cpuid.CPU.CacheLine)
fmt.Println("L1 Instruction Cache:", cpuid.CPU.Cache.L1I, "bytes")
fmt.Println("L1 Data Cache:", cpuid.CPU.Cache.L1D, "bytes")
fmt.Println("L2 Cache:", cpuid.CPU.Cache.L2, "bytes")
fmt.Println("L3 Cache:", cpuid.CPU.Cache.L3, "bytes")
if cpuid.CPU.Hz > 0 {
fmt.Println("Frequency:", cpuid.CPU.Hz, "Hz")
}
if cpuid.CPU.BoostFreq > 0 {
fmt.Println("Boost Frequency:", cpuid.CPU.BoostFreq, "Hz")
}
if cpuid.CPU.SGX.Available {
fmt.Printf("SGX: %+v\n", cpuid.CPU.SGX)
}
if cpuid.CPU.AMDMemEncryption.Available {
fmt.Printf("AMD Memory Encryption: %+v\n", cpuid.CPU.AMDMemEncryption)
}
}
|