net_linux.go 18 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577578579580581582583584585586587588589590591592593594595596597598599600601602603604605606607608609610611612613614615616617618619620621622623624625626627628629630631632633634635636637638639640641642643644645646647648649650651652653654655656657658659660661662663664665666667668669670671672673674675676677678679680681682683684685686687688689690691692693694695696697698699700701702703704705706707708709710711712713714715716717718719720721722723724725726727728729730731732733734735736737738739740741742743744745746747748749750751752753754755756757758759760761762763764765766767768769770771772773774775776777778779780781782783784785786787788789790791
  1. // +build linux
  2. package net
  3. import (
  4. "bytes"
  5. "context"
  6. "encoding/hex"
  7. "errors"
  8. "fmt"
  9. "io/ioutil"
  10. "net"
  11. "os"
  12. "strconv"
  13. "strings"
  14. "syscall"
  15. "github.com/shirou/gopsutil/internal/common"
  16. )
  17. // NetIOCounters returnes network I/O statistics for every network
  18. // interface installed on the system. If pernic argument is false,
  19. // return only sum of all information (which name is 'all'). If true,
  20. // every network interface installed on the system is returned
  21. // separately.
  22. func IOCounters(pernic bool) ([]IOCountersStat, error) {
  23. return IOCountersWithContext(context.Background(), pernic)
  24. }
  25. func IOCountersWithContext(ctx context.Context, pernic bool) ([]IOCountersStat, error) {
  26. filename := common.HostProc("net/dev")
  27. return IOCountersByFile(pernic, filename)
  28. }
  29. func IOCountersByFile(pernic bool, filename string) ([]IOCountersStat, error) {
  30. return IOCountersByFileWithContext(context.Background(), pernic, filename)
  31. }
  32. func IOCountersByFileWithContext(ctx context.Context, pernic bool, filename string) ([]IOCountersStat, error) {
  33. lines, err := common.ReadLines(filename)
  34. if err != nil {
  35. return nil, err
  36. }
  37. parts := make([]string, 2)
  38. statlen := len(lines) - 1
  39. ret := make([]IOCountersStat, 0, statlen)
  40. for _, line := range lines[2:] {
  41. separatorPos := strings.LastIndex(line, ":")
  42. if separatorPos == -1 {
  43. continue
  44. }
  45. parts[0] = line[0:separatorPos]
  46. parts[1] = line[separatorPos+1:]
  47. interfaceName := strings.TrimSpace(parts[0])
  48. if interfaceName == "" {
  49. continue
  50. }
  51. fields := strings.Fields(strings.TrimSpace(parts[1]))
  52. bytesRecv, err := strconv.ParseUint(fields[0], 10, 64)
  53. if err != nil {
  54. return ret, err
  55. }
  56. packetsRecv, err := strconv.ParseUint(fields[1], 10, 64)
  57. if err != nil {
  58. return ret, err
  59. }
  60. errIn, err := strconv.ParseUint(fields[2], 10, 64)
  61. if err != nil {
  62. return ret, err
  63. }
  64. dropIn, err := strconv.ParseUint(fields[3], 10, 64)
  65. if err != nil {
  66. return ret, err
  67. }
  68. fifoIn, err := strconv.ParseUint(fields[4], 10, 64)
  69. if err != nil {
  70. return ret, err
  71. }
  72. bytesSent, err := strconv.ParseUint(fields[8], 10, 64)
  73. if err != nil {
  74. return ret, err
  75. }
  76. packetsSent, err := strconv.ParseUint(fields[9], 10, 64)
  77. if err != nil {
  78. return ret, err
  79. }
  80. errOut, err := strconv.ParseUint(fields[10], 10, 64)
  81. if err != nil {
  82. return ret, err
  83. }
  84. dropOut, err := strconv.ParseUint(fields[11], 10, 64)
  85. if err != nil {
  86. return ret, err
  87. }
  88. fifoOut, err := strconv.ParseUint(fields[12], 10, 64)
  89. if err != nil {
  90. return ret, err
  91. }
  92. nic := IOCountersStat{
  93. Name: interfaceName,
  94. BytesRecv: bytesRecv,
  95. PacketsRecv: packetsRecv,
  96. Errin: errIn,
  97. Dropin: dropIn,
  98. Fifoin: fifoIn,
  99. BytesSent: bytesSent,
  100. PacketsSent: packetsSent,
  101. Errout: errOut,
  102. Dropout: dropOut,
  103. Fifoout: fifoOut,
  104. }
  105. ret = append(ret, nic)
  106. }
  107. if pernic == false {
  108. return getIOCountersAll(ret)
  109. }
  110. return ret, nil
  111. }
  112. var netProtocols = []string{
  113. "ip",
  114. "icmp",
  115. "icmpmsg",
  116. "tcp",
  117. "udp",
  118. "udplite",
  119. }
  120. // NetProtoCounters returns network statistics for the entire system
  121. // If protocols is empty then all protocols are returned, otherwise
  122. // just the protocols in the list are returned.
  123. // Available protocols:
  124. // ip,icmp,icmpmsg,tcp,udp,udplite
  125. func ProtoCounters(protocols []string) ([]ProtoCountersStat, error) {
  126. return ProtoCountersWithContext(context.Background(), protocols)
  127. }
  128. func ProtoCountersWithContext(ctx context.Context, protocols []string) ([]ProtoCountersStat, error) {
  129. if len(protocols) == 0 {
  130. protocols = netProtocols
  131. }
  132. stats := make([]ProtoCountersStat, 0, len(protocols))
  133. protos := make(map[string]bool, len(protocols))
  134. for _, p := range protocols {
  135. protos[p] = true
  136. }
  137. filename := common.HostProc("net/snmp")
  138. lines, err := common.ReadLines(filename)
  139. if err != nil {
  140. return nil, err
  141. }
  142. linecount := len(lines)
  143. for i := 0; i < linecount; i++ {
  144. line := lines[i]
  145. r := strings.IndexRune(line, ':')
  146. if r == -1 {
  147. return nil, errors.New(filename + " is not fomatted correctly, expected ':'.")
  148. }
  149. proto := strings.ToLower(line[:r])
  150. if !protos[proto] {
  151. // skip protocol and data line
  152. i++
  153. continue
  154. }
  155. // Read header line
  156. statNames := strings.Split(line[r+2:], " ")
  157. // Read data line
  158. i++
  159. statValues := strings.Split(lines[i][r+2:], " ")
  160. if len(statNames) != len(statValues) {
  161. return nil, errors.New(filename + " is not fomatted correctly, expected same number of columns.")
  162. }
  163. stat := ProtoCountersStat{
  164. Protocol: proto,
  165. Stats: make(map[string]int64, len(statNames)),
  166. }
  167. for j := range statNames {
  168. value, err := strconv.ParseInt(statValues[j], 10, 64)
  169. if err != nil {
  170. return nil, err
  171. }
  172. stat.Stats[statNames[j]] = value
  173. }
  174. stats = append(stats, stat)
  175. }
  176. return stats, nil
  177. }
  178. // NetFilterCounters returns iptables conntrack statistics
  179. // the currently in use conntrack count and the max.
  180. // If the file does not exist or is invalid it will return nil.
  181. func FilterCounters() ([]FilterStat, error) {
  182. return FilterCountersWithContext(context.Background())
  183. }
  184. func FilterCountersWithContext(ctx context.Context) ([]FilterStat, error) {
  185. countfile := common.HostProc("sys/net/netfilter/nf_conntrack_count")
  186. maxfile := common.HostProc("sys/net/netfilter/nf_conntrack_max")
  187. count, err := common.ReadInts(countfile)
  188. if err != nil {
  189. return nil, err
  190. }
  191. stats := make([]FilterStat, 0, 1)
  192. max, err := common.ReadInts(maxfile)
  193. if err != nil {
  194. return nil, err
  195. }
  196. payload := FilterStat{
  197. ConnTrackCount: count[0],
  198. ConnTrackMax: max[0],
  199. }
  200. stats = append(stats, payload)
  201. return stats, nil
  202. }
  203. // http://students.mimuw.edu.pl/lxr/source/include/net/tcp_states.h
  204. var TCPStatuses = map[string]string{
  205. "01": "ESTABLISHED",
  206. "02": "SYN_SENT",
  207. "03": "SYN_RECV",
  208. "04": "FIN_WAIT1",
  209. "05": "FIN_WAIT2",
  210. "06": "TIME_WAIT",
  211. "07": "CLOSE",
  212. "08": "CLOSE_WAIT",
  213. "09": "LAST_ACK",
  214. "0A": "LISTEN",
  215. "0B": "CLOSING",
  216. }
  217. type netConnectionKindType struct {
  218. family uint32
  219. sockType uint32
  220. filename string
  221. }
  222. var kindTCP4 = netConnectionKindType{
  223. family: syscall.AF_INET,
  224. sockType: syscall.SOCK_STREAM,
  225. filename: "tcp",
  226. }
  227. var kindTCP6 = netConnectionKindType{
  228. family: syscall.AF_INET6,
  229. sockType: syscall.SOCK_STREAM,
  230. filename: "tcp6",
  231. }
  232. var kindUDP4 = netConnectionKindType{
  233. family: syscall.AF_INET,
  234. sockType: syscall.SOCK_DGRAM,
  235. filename: "udp",
  236. }
  237. var kindUDP6 = netConnectionKindType{
  238. family: syscall.AF_INET6,
  239. sockType: syscall.SOCK_DGRAM,
  240. filename: "udp6",
  241. }
  242. var kindUNIX = netConnectionKindType{
  243. family: syscall.AF_UNIX,
  244. filename: "unix",
  245. }
  246. var netConnectionKindMap = map[string][]netConnectionKindType{
  247. "all": {kindTCP4, kindTCP6, kindUDP4, kindUDP6, kindUNIX},
  248. "tcp": {kindTCP4, kindTCP6},
  249. "tcp4": {kindTCP4},
  250. "tcp6": {kindTCP6},
  251. "udp": {kindUDP4, kindUDP6},
  252. "udp4": {kindUDP4},
  253. "udp6": {kindUDP6},
  254. "unix": {kindUNIX},
  255. "inet": {kindTCP4, kindTCP6, kindUDP4, kindUDP6},
  256. "inet4": {kindTCP4, kindUDP4},
  257. "inet6": {kindTCP6, kindUDP6},
  258. }
  259. type inodeMap struct {
  260. pid int32
  261. fd uint32
  262. }
  263. type connTmp struct {
  264. fd uint32
  265. family uint32
  266. sockType uint32
  267. laddr Addr
  268. raddr Addr
  269. status string
  270. pid int32
  271. boundPid int32
  272. path string
  273. }
  274. // Return a list of network connections opened.
  275. func Connections(kind string) ([]ConnectionStat, error) {
  276. return ConnectionsWithContext(context.Background(), kind)
  277. }
  278. func ConnectionsWithContext(ctx context.Context, kind string) ([]ConnectionStat, error) {
  279. return ConnectionsPid(kind, 0)
  280. }
  281. // Return a list of network connections opened returning at most `max`
  282. // connections for each running process.
  283. func ConnectionsMax(kind string, max int) ([]ConnectionStat, error) {
  284. return ConnectionsMaxWithContext(context.Background(), kind, max)
  285. }
  286. func ConnectionsMaxWithContext(ctx context.Context, kind string, max int) ([]ConnectionStat, error) {
  287. return ConnectionsPidMax(kind, 0, max)
  288. }
  289. // Return a list of network connections opened by a process.
  290. func ConnectionsPid(kind string, pid int32) ([]ConnectionStat, error) {
  291. return ConnectionsPidWithContext(context.Background(), kind, pid)
  292. }
  293. func ConnectionsPidWithContext(ctx context.Context, kind string, pid int32) ([]ConnectionStat, error) {
  294. tmap, ok := netConnectionKindMap[kind]
  295. if !ok {
  296. return nil, fmt.Errorf("invalid kind, %s", kind)
  297. }
  298. root := common.HostProc()
  299. var err error
  300. var inodes map[string][]inodeMap
  301. if pid == 0 {
  302. inodes, err = getProcInodesAll(root, 0)
  303. } else {
  304. inodes, err = getProcInodes(root, pid, 0)
  305. if len(inodes) == 0 {
  306. // no connection for the pid
  307. return []ConnectionStat{}, nil
  308. }
  309. }
  310. if err != nil {
  311. return nil, fmt.Errorf("cound not get pid(s), %d: %s", pid, err)
  312. }
  313. return statsFromInodes(root, pid, tmap, inodes)
  314. }
  315. // Return up to `max` network connections opened by a process.
  316. func ConnectionsPidMax(kind string, pid int32, max int) ([]ConnectionStat, error) {
  317. return ConnectionsPidMaxWithContext(context.Background(), kind, pid, max)
  318. }
  319. func ConnectionsPidMaxWithContext(ctx context.Context, kind string, pid int32, max int) ([]ConnectionStat, error) {
  320. tmap, ok := netConnectionKindMap[kind]
  321. if !ok {
  322. return nil, fmt.Errorf("invalid kind, %s", kind)
  323. }
  324. root := common.HostProc()
  325. var err error
  326. var inodes map[string][]inodeMap
  327. if pid == 0 {
  328. inodes, err = getProcInodesAll(root, max)
  329. } else {
  330. inodes, err = getProcInodes(root, pid, max)
  331. if len(inodes) == 0 {
  332. // no connection for the pid
  333. return []ConnectionStat{}, nil
  334. }
  335. }
  336. if err != nil {
  337. return nil, fmt.Errorf("cound not get pid(s), %d", pid)
  338. }
  339. return statsFromInodes(root, pid, tmap, inodes)
  340. }
  341. func statsFromInodes(root string, pid int32, tmap []netConnectionKindType, inodes map[string][]inodeMap) ([]ConnectionStat, error) {
  342. dupCheckMap := make(map[string]struct{})
  343. var ret []ConnectionStat
  344. var err error
  345. for _, t := range tmap {
  346. var path string
  347. var connKey string
  348. var ls []connTmp
  349. path = fmt.Sprintf("%s/net/%s", root, t.filename)
  350. switch t.family {
  351. case syscall.AF_INET:
  352. fallthrough
  353. case syscall.AF_INET6:
  354. ls, err = processInet(path, t, inodes, pid)
  355. case syscall.AF_UNIX:
  356. ls, err = processUnix(path, t, inodes, pid)
  357. }
  358. if err != nil {
  359. return nil, err
  360. }
  361. for _, c := range ls {
  362. // Build TCP key to id the connection uniquely
  363. // socket type, src ip, src port, dst ip, dst port and state should be enough
  364. // to prevent duplications.
  365. connKey = fmt.Sprintf("%d-%s:%d-%s:%d-%s", c.sockType, c.laddr.IP, c.laddr.Port, c.raddr.IP, c.raddr.Port, c.status)
  366. if _, ok := dupCheckMap[connKey]; ok {
  367. continue
  368. }
  369. conn := ConnectionStat{
  370. Fd: c.fd,
  371. Family: c.family,
  372. Type: c.sockType,
  373. Laddr: c.laddr,
  374. Raddr: c.raddr,
  375. Status: c.status,
  376. Pid: c.pid,
  377. }
  378. if c.pid == 0 {
  379. conn.Pid = c.boundPid
  380. } else {
  381. conn.Pid = c.pid
  382. }
  383. // fetch process owner Real, effective, saved set, and filesystem UIDs
  384. proc := process{Pid: conn.Pid}
  385. conn.Uids, _ = proc.getUids()
  386. ret = append(ret, conn)
  387. dupCheckMap[connKey] = struct{}{}
  388. }
  389. }
  390. return ret, nil
  391. }
  392. // getProcInodes returnes fd of the pid.
  393. func getProcInodes(root string, pid int32, max int) (map[string][]inodeMap, error) {
  394. ret := make(map[string][]inodeMap)
  395. dir := fmt.Sprintf("%s/%d/fd", root, pid)
  396. f, err := os.Open(dir)
  397. if err != nil {
  398. return ret, err
  399. }
  400. defer f.Close()
  401. files, err := f.Readdir(max)
  402. if err != nil {
  403. return ret, err
  404. }
  405. for _, fd := range files {
  406. inodePath := fmt.Sprintf("%s/%d/fd/%s", root, pid, fd.Name())
  407. inode, err := os.Readlink(inodePath)
  408. if err != nil {
  409. continue
  410. }
  411. if !strings.HasPrefix(inode, "socket:[") {
  412. continue
  413. }
  414. // the process is using a socket
  415. l := len(inode)
  416. inode = inode[8 : l-1]
  417. _, ok := ret[inode]
  418. if !ok {
  419. ret[inode] = make([]inodeMap, 0)
  420. }
  421. fd, err := strconv.Atoi(fd.Name())
  422. if err != nil {
  423. continue
  424. }
  425. i := inodeMap{
  426. pid: pid,
  427. fd: uint32(fd),
  428. }
  429. ret[inode] = append(ret[inode], i)
  430. }
  431. return ret, nil
  432. }
  433. // Pids retunres all pids.
  434. // Note: this is a copy of process_linux.Pids()
  435. // FIXME: Import process occures import cycle.
  436. // move to common made other platform breaking. Need consider.
  437. func Pids() ([]int32, error) {
  438. return PidsWithContext(context.Background())
  439. }
  440. func PidsWithContext(ctx context.Context) ([]int32, error) {
  441. var ret []int32
  442. d, err := os.Open(common.HostProc())
  443. if err != nil {
  444. return nil, err
  445. }
  446. defer d.Close()
  447. fnames, err := d.Readdirnames(-1)
  448. if err != nil {
  449. return nil, err
  450. }
  451. for _, fname := range fnames {
  452. pid, err := strconv.ParseInt(fname, 10, 32)
  453. if err != nil {
  454. // if not numeric name, just skip
  455. continue
  456. }
  457. ret = append(ret, int32(pid))
  458. }
  459. return ret, nil
  460. }
  461. // Note: the following is based off process_linux structs and methods
  462. // we need these to fetch the owner of a process ID
  463. // FIXME: Import process occures import cycle.
  464. // see remarks on pids()
  465. type process struct {
  466. Pid int32 `json:"pid"`
  467. uids []int32
  468. }
  469. // Uids returns user ids of the process as a slice of the int
  470. func (p *process) getUids() ([]int32, error) {
  471. err := p.fillFromStatus()
  472. if err != nil {
  473. return []int32{}, err
  474. }
  475. return p.uids, nil
  476. }
  477. // Get status from /proc/(pid)/status
  478. func (p *process) fillFromStatus() error {
  479. pid := p.Pid
  480. statPath := common.HostProc(strconv.Itoa(int(pid)), "status")
  481. contents, err := ioutil.ReadFile(statPath)
  482. if err != nil {
  483. return err
  484. }
  485. lines := strings.Split(string(contents), "\n")
  486. for _, line := range lines {
  487. tabParts := strings.SplitN(line, "\t", 2)
  488. if len(tabParts) < 2 {
  489. continue
  490. }
  491. value := tabParts[1]
  492. switch strings.TrimRight(tabParts[0], ":") {
  493. case "Uid":
  494. p.uids = make([]int32, 0, 4)
  495. for _, i := range strings.Split(value, "\t") {
  496. v, err := strconv.ParseInt(i, 10, 32)
  497. if err != nil {
  498. return err
  499. }
  500. p.uids = append(p.uids, int32(v))
  501. }
  502. }
  503. }
  504. return nil
  505. }
  506. func getProcInodesAll(root string, max int) (map[string][]inodeMap, error) {
  507. pids, err := Pids()
  508. if err != nil {
  509. return nil, err
  510. }
  511. ret := make(map[string][]inodeMap)
  512. for _, pid := range pids {
  513. t, err := getProcInodes(root, pid, max)
  514. if err != nil {
  515. // skip if permission error or no longer exists
  516. if os.IsPermission(err) || os.IsNotExist(err) {
  517. continue
  518. }
  519. return ret, err
  520. }
  521. if len(t) == 0 {
  522. continue
  523. }
  524. // TODO: update ret.
  525. ret = updateMap(ret, t)
  526. }
  527. return ret, nil
  528. }
  529. // decodeAddress decode addresse represents addr in proc/net/*
  530. // ex:
  531. // "0500000A:0016" -> "10.0.0.5", 22
  532. // "0085002452100113070057A13F025401:0035" -> "2400:8500:1301:1052:a157:7:154:23f", 53
  533. func decodeAddress(family uint32, src string) (Addr, error) {
  534. t := strings.Split(src, ":")
  535. if len(t) != 2 {
  536. return Addr{}, fmt.Errorf("does not contain port, %s", src)
  537. }
  538. addr := t[0]
  539. port, err := strconv.ParseInt("0x"+t[1], 0, 64)
  540. if err != nil {
  541. return Addr{}, fmt.Errorf("invalid port, %s", src)
  542. }
  543. decoded, err := hex.DecodeString(addr)
  544. if err != nil {
  545. return Addr{}, fmt.Errorf("decode error, %s", err)
  546. }
  547. var ip net.IP
  548. // Assumes this is little_endian
  549. if family == syscall.AF_INET {
  550. ip = net.IP(Reverse(decoded))
  551. } else { // IPv6
  552. ip, err = parseIPv6HexString(decoded)
  553. if err != nil {
  554. return Addr{}, err
  555. }
  556. }
  557. return Addr{
  558. IP: ip.String(),
  559. Port: uint32(port),
  560. }, nil
  561. }
  562. // Reverse reverses array of bytes.
  563. func Reverse(s []byte) []byte {
  564. return ReverseWithContext(context.Background(), s)
  565. }
  566. func ReverseWithContext(ctx context.Context, s []byte) []byte {
  567. for i, j := 0, len(s)-1; i < j; i, j = i+1, j-1 {
  568. s[i], s[j] = s[j], s[i]
  569. }
  570. return s
  571. }
  572. // parseIPv6HexString parse array of bytes to IPv6 string
  573. func parseIPv6HexString(src []byte) (net.IP, error) {
  574. if len(src) != 16 {
  575. return nil, fmt.Errorf("invalid IPv6 string")
  576. }
  577. buf := make([]byte, 0, 16)
  578. for i := 0; i < len(src); i += 4 {
  579. r := Reverse(src[i : i+4])
  580. buf = append(buf, r...)
  581. }
  582. return net.IP(buf), nil
  583. }
  584. func processInet(file string, kind netConnectionKindType, inodes map[string][]inodeMap, filterPid int32) ([]connTmp, error) {
  585. if strings.HasSuffix(file, "6") && !common.PathExists(file) {
  586. // IPv6 not supported, return empty.
  587. return []connTmp{}, nil
  588. }
  589. // Read the contents of the /proc file with a single read sys call.
  590. // This minimizes duplicates in the returned connections
  591. // For more info:
  592. // https://github.com/shirou/gopsutil/pull/361
  593. contents, err := ioutil.ReadFile(file)
  594. if err != nil {
  595. return nil, err
  596. }
  597. lines := bytes.Split(contents, []byte("\n"))
  598. var ret []connTmp
  599. // skip first line
  600. for _, line := range lines[1:] {
  601. l := strings.Fields(string(line))
  602. if len(l) < 10 {
  603. continue
  604. }
  605. laddr := l[1]
  606. raddr := l[2]
  607. status := l[3]
  608. inode := l[9]
  609. pid := int32(0)
  610. fd := uint32(0)
  611. i, exists := inodes[inode]
  612. if exists {
  613. pid = i[0].pid
  614. fd = i[0].fd
  615. }
  616. if filterPid > 0 && filterPid != pid {
  617. continue
  618. }
  619. if kind.sockType == syscall.SOCK_STREAM {
  620. status = TCPStatuses[status]
  621. } else {
  622. status = "NONE"
  623. }
  624. la, err := decodeAddress(kind.family, laddr)
  625. if err != nil {
  626. continue
  627. }
  628. ra, err := decodeAddress(kind.family, raddr)
  629. if err != nil {
  630. continue
  631. }
  632. ret = append(ret, connTmp{
  633. fd: fd,
  634. family: kind.family,
  635. sockType: kind.sockType,
  636. laddr: la,
  637. raddr: ra,
  638. status: status,
  639. pid: pid,
  640. })
  641. }
  642. return ret, nil
  643. }
  644. func processUnix(file string, kind netConnectionKindType, inodes map[string][]inodeMap, filterPid int32) ([]connTmp, error) {
  645. // Read the contents of the /proc file with a single read sys call.
  646. // This minimizes duplicates in the returned connections
  647. // For more info:
  648. // https://github.com/shirou/gopsutil/pull/361
  649. contents, err := ioutil.ReadFile(file)
  650. if err != nil {
  651. return nil, err
  652. }
  653. lines := bytes.Split(contents, []byte("\n"))
  654. var ret []connTmp
  655. // skip first line
  656. for _, line := range lines[1:] {
  657. tokens := strings.Fields(string(line))
  658. if len(tokens) < 6 {
  659. continue
  660. }
  661. st, err := strconv.Atoi(tokens[4])
  662. if err != nil {
  663. return nil, err
  664. }
  665. inode := tokens[6]
  666. var pairs []inodeMap
  667. pairs, exists := inodes[inode]
  668. if !exists {
  669. pairs = []inodeMap{
  670. {},
  671. }
  672. }
  673. for _, pair := range pairs {
  674. if filterPid > 0 && filterPid != pair.pid {
  675. continue
  676. }
  677. var path string
  678. if len(tokens) == 8 {
  679. path = tokens[len(tokens)-1]
  680. }
  681. ret = append(ret, connTmp{
  682. fd: pair.fd,
  683. family: kind.family,
  684. sockType: uint32(st),
  685. laddr: Addr{
  686. IP: path,
  687. },
  688. pid: pair.pid,
  689. status: "NONE",
  690. path: path,
  691. })
  692. }
  693. }
  694. return ret, nil
  695. }
  696. func updateMap(src map[string][]inodeMap, add map[string][]inodeMap) map[string][]inodeMap {
  697. for key, value := range add {
  698. a, exists := src[key]
  699. if !exists {
  700. src[key] = value
  701. continue
  702. }
  703. src[key] = append(a, value...)
  704. }
  705. return src
  706. }