2016-05-21 49 views
12

晚上好,随机读取内存位置与Golang

我一直在试图建立其扫描内存值的golang应用程序,但我在努力试图了解如何解决具体的存储位置。我知道在访问应用程序中的内存时,您可以使用*variablename来尊重和获取地址位置,但是如何提供地址位置并将值输出到屏幕或从RAM中获取任意大小的下一个分配的对象并将其打印出来值?

预先感谢任何帮助,您可能会愿意分享

+0

你想读*你的进程*内存,我希望,而不是* system *内存,对不对?因为操作系统通常不允许进程在其内存空间之外进行读取。 – AkiRoss

+0

此外,答案的质量可能取决于操作系统。您的问题是否与任何操作系统有关,您希望在限制范围内运行,还是可以考虑依赖于操作系统的解决方案? – AkiRoss

+0

@AkiRoss - 这是一个阅读另一个进程内存的macintosh应用程序。虽然 – kkirsche

回答

6

我不知道有多少有用的,这将是,但这里是一个示例代码。

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") 
} 

使用“不安全”软件包不是一个好主意,也不能读取任何我相信的任意位置。

对我来说,当我试图在那里,最有可能,我没有读过访问其他一些随机的位置,它把我的错误是这样的:

unexpected fault address 0xc41ff8f780 
fatal error: fault 
[signal SIGBUS: bus error code=0x2 addr=0xc41ff8f780 pc=0x1093ec0] 

但我们希望,也可以是一定的参考价值的您。

+0

很好的答案,如果有帮助!谢谢! – kkirsche

+0

我很高兴它帮助:) –