使用Golang读取随机内存位置

kki*_*che 15 go memory-access memory-address

晚上好,

我一直在尝试构建一个golang应用程序,它扫描内存中的值,但我正在努力了解如何解决特定的内存位置.我知道当访问应用程序中的内存时,您可以使用*variablenamedeference并获取地址位置,但是我如何提供地址位置并将值打印到屏幕或从RAM中获取任何大小的下一个分配对象并打印它的值?

提前感谢您愿意分享的任何帮助

小智 10

我不知道这会有多大用处,但这里有一个示例代码.

package main

import (
    "fmt"
    "unsafe"
)

func main() {
    var i int = 1
    fmt.Println("Address : ", &i, " Value : ", i)

    var address *int
    address = &i // getting the starting address

    loc := (uintptr)(unsafe.Pointer(address))
    p := unsafe.Pointer(loc)

    // verification - it should print 1
    var val int = *((* int)(p))
    fmt.Println("Location : ", loc, " Val :",val) // it does print !!

    // lets print 1000 bytes starting from address of variable i
    // first memory location contains 1 as expected
    printValueAtMemoryLocation(loc, 1000)

    // now lets test for some arbitrary memory location
    // not so random ! wanted to reduce the diff value also any arbitrary memory location you can't read !!
    memoryToReach := 842350500000
    loc = changeToInputLocation(loc, memoryToReach)
    fmt.Println("Loc is now at : ", loc)
    // lets print 1000 bytes starting from the memory location "memoryToReach"
    printValueAtMemoryLocation(loc, 1000)

}

func changeToInputLocation(location uintptr, locationToreach int) uintptr {
    var diff,i int
    diff = locationToreach - int(location)

    fmt.Println("We need to travel ", diff, " memory locations !")

    if diff < 0 {
        i= diff * -1
        for i > 0 {
            location--
            i--
        }
    } else {
        i= diff
        for i > 0 {
            location++
            i--
        }
    }
    return location
}

func printValueAtMemoryLocation(location uintptr, next int) {
    var v byte
    p := unsafe.Pointer(location)
    fmt.Println("\n")
    for i:=1; i<next; i++ {
        p = unsafe.Pointer(location)
        v = *((*byte)(p))
        fmt.Print(v," ")
        //fmt.Println("Loc : ", loc, " --- Val : ", v)
        location++
    }
    fmt.Println("\n")
}
Run Code Online (Sandbox Code Playgroud)

使用"不安全"包不是一个好主意,你也无法阅读任何我认为的任意位置.

对我来说,当我尝试其他一些随机位置时,很可能,我没有读取权限,它给我这样的错误:

unexpected fault address 0xc41ff8f780
fatal error: fault
[signal SIGBUS: bus error code=0x2 addr=0xc41ff8f780 pc=0x1093ec0]
Run Code Online (Sandbox Code Playgroud)

但希望它对你有一些价值.