src/bookofnim/deepdives/osIo

Source   Edit  

os and i/o

bookmark

TLDR

  • for async i/o see asyncPar.nim
    • you generally want threadpool imported to getaround the blocking nature of i/o logic
    • this includes executing external processes
  • if a proc accepts a filename (string), it may also accept a File/Filehandle
  • tips
    • always use absolutePath when working with paths
  • generally you should check when defined(posix/linux/etc) and use unixToNativePath
    • extremely relevant if your app supports disparate systems
    • posix
      • admin: root
      • cachedir: XDG_CACHE_HOME | HOME / .cache / app (etc for other dir types)
      • dest paths inherit user default perms
      • dir symlinks copied as symlinks to dest
      • executables not in path may require "executable.sh".normalizeExe to get ./executable.sh
      • file creation time may actually be last modified time
      • file symlinks are followed (by default) then copied to dest
      • osLastError works like $?
      • paramCount not defined when generating dynamic libraries (See --app:lib)
      • parseCmdLine splits on whitespace outside of quotes (use parseopt module instead)
      • path considered hidden based solely on the path string
      • paths are case sensitive
      • permissions are copied after file/dir is -> could lead to race conditions
      • permissions can be set without following symlinks if lchmod is avail and doesnt err
      • relativePath works as expected
      • removeFile errors if readonly
      • tempdir: TMPDIR | TEMP | TMP | TEMPDIR
    • windows
      • admin: admin local group
      • cachedir: LOCALAPPDATA / app / cache (etc for other dir types)
      • dest paths inherit source paths attributes
      • dir & file symlinks are skipped
      • network paths are considered absolute
      • osLastError works like windows i guess
      • parseCmdLine is overly complex (use parseopt module instead)
      • path considered hidden if file exists and hidden attribute set
      • paths are case insensitive
      • relativePath requires startpath & basepath args with same roots
      • removeFile errors ignores read-only attribute
      • require evelated privs for sym/hardlinks
      • tempdir: calls windows GetTempPath
      • permissions set on files have to follow symlinks
    • OSX
      • i think OSX should align with posix sans whatever follows
      • cachedir: XDG_CACHE_HOME | HOME / .cache /app (etc for other dir types)
  • osproc
    • calling close before a process has finished may result in zombies and pty leaks
    • generally
      • process streams/filehandles shouldnt be closed directly, but the process itself
      • cmd accepting ENV arg uses the parent process by default
      • cmd accepting workingDir arg uses the current dir by default
    • poUsePath > poEvalCommand for portability and let nim escape cmd args correctly
    • refrain from using waitForExit for processes w/out poParemtStreams for fear of deadlocks
  • user input
    • commandline params are passed when your app are started
    • use the standard input stream to accept user input thereafter

links

TODOs

system

vars/procs/etc

  • hostCPU
    • "i386", "alpha", "powerpc", "powerpc64",
    • "powerpc64el", "sparc", "amd64", "mips",
    • "mipsel", "arm", "arm64", "mips64", "mips64el", "riscv32", "riscv64"
  • hostOS
    • "windows", "macosx", "linux", "netbsd",
    • "freebsd", "openbsd", "solaris", "aix", "haiku", "standalone"
  • FileMode = enum
    • fmRead only
    • fmWrite zero file (force creates) then open for writing
    • fmReadWrite zero file (force creates) then open for rw
    • fmReadWriteExisting same but doesnt create file
    • fmAppend append doesnt create file
  • getFreeMem number of bytes owned by the process, but do not hold any meaningful data

os

os exceptions

  • OSError e.g. file not found, incorrect perms

os types

  • CopyFlagenum symlink handling
  • DeviceIdint32
  • FileIdint64
  • FileInfoobject associated with a file object
  • FilePermissionenum modeled after nix
  • OSErrorCodeint32
  • PathComponentenum type of path(file, symlink to (dir/file)) to a file object
  • ReadDirEffectobject reading a dir
  • ReadEnvEffectobject reading from ram
  • WriteDirEffectobject write to a dir
  • WriteEnvEffectobject write to ram

os consts

  • AltSep '/'
  • CurDir '.'
  • DirSep '/'
  • doslikeFileSystem true
  • ExtSep '.'
  • FileSystemCaseSensitive false
  • invalidFilenameChars {'bunch of stuff'}
  • invalidFilenames "bunch of stuff"
  • ParDir ".."
  • PathSep ';'

os procs

  • copyFile dest parentDir must exist; overwrites but preserves perms
  • execShellCmd blocks until finished
  • createDir mkdir -p
  • existsOrCreateDir mkdir
  • moveDir doesnt follow symlinks, thus symlinks are moved and not their target
  • moveFile (see moveDir) + can be used to rename files
  • normalizePath (no d) modifies string inplace
  • normalizeExe prefixes path with ./
  • osErrorMsg converts an OSErrorCode to a human readable string
  • osLastError $?
  • newOsError errorCode determines the msg as retrieved by osErrorMsg, get code via osLastError
  • raiseOsError

osproc

  • advanced cmd execution & (background) process communication

osproc types

  • Process ref of an os proces
  • ProcessOption enum that can be passed to startProcess
    • poEchoCmd before executing
    • poUsePath to find cmd like this "cmd", args="as", "array"
    • poEvalCommand without quoting using system shell like this "cmd args inline"
    • poStdErrToStdOut 2>&1
    • poParentStreams use parent stream
    • poInteractive optimize buffer handling for UI applications
    • poDaemon execute cmd in background
  • poDemon: the best podcast on chartable

osproc procs

  • close forcibly terminates the process and cleanup related handles
  • countProcessors cpuinfo.countProcessors
  • errorHandle of a process for reading
  • errorStream of a process for reading; doesnt support peak/write/setOption
  • peekableErrorStream of a process
  • execCmd returns $?; std0,1,2 inherited from parent
  • execCmdEx returns (output, $?); blocks if input.len > OS max pipe buffer size
    • particularly useful as you can set ENV, working dir, and data via stdin in one go
  • execProcess use PoUsePath for args syntax
  • execProcesses in parallel
  • hasData checks process
  • inputHandle of a process
  • inputStream of a process
  • kill a process via SIGKILL on posix, terminate() on windows
  • outputHandle of a process; doesnt support peek/write/setOption
  • peekableErrorStream of a process
  • peekableOutputStream of a process
  • peekExitCode -1 if still running, else the actual exit code
  • processID of a process
  • readLines of bg process invoked with startProcess
  • resume a process
  • running true if process is running
  • startProcess in background
  • suspend a process
  • stop a process on posix via SIGTERM, windows via TerminateProcess()
  • waitForExit of process and return $?

osproc iterators

  • lines of process invoked with startProcess

parseopt

  • parsing cmd line args

parseopt syntax

  • short opt: single dash e.g. -a -a:1 -a=1
    • -a:1 = (kind: cmdShortOption, key: a, val: 1)
    • by default -abc = 3 short options each having value ""
      • providing shortNoVal to initOptParser with any value changes this behavior
      • -abc becomes a=bc
  • long opt: double dash e.g. --a --a:1 --a
    • --a:1 = (kind: cmdLongOption, key: a, val: 1)
    • by default --a b c becomes 1 option and 2 args
      • providing longNoVal initOptParser with any value changes this behavior
      • --a b c becomes --a=b arg c
  • cmd args: anything not prefixed with - or following --s
    • e.g. -- 1 2 3 results in 3 cmd arguments
    • -- a = (kind: cmdArgument, key: a)
  • values: anything after the first : or = e.g. -a:1 -a::1 -a=:1 equals 1 and :1, respectively

parseopt types

  • CmdLineKind enum
    • cmdEnd nothing else exists
    • cmdShortOption -blah
    • cmdLongOption --blah
    • cmdArgument blah or -- blah
  • OptParser object to collect short, long options and cmd arguments
    • pos int
    • inShortState bool
    • allowWhitespaceAfterColon bool
    • shortNoVal setchar short options with optional values
    • longNoVal seqstring long options with optional values
    • cmds seqstring whitespace delimated strings
    • idx int
    • kind CmdLineKind
    • (key, val) of short, long or cmds depending on kind

parseopt exceptions

  • ValueError when initOptParser cant parse cmdline opts

parseopt procs

  • initOptParser with cmdline options
  • next token is parsed into an OptParser instance
  • cmdLineRest of the cmd line that has not been parsed
  • remainingArgs that have not been parsed

parseopt iterators

  • getOpt from cmdline and return instanceof OptParser

Vars

cmdxOpts = initOptParser(myOptsArgSpace, {}, @[], true)
Source   Edit  
cmdyOpts = initOptParser(myOptsArgDash, {}, @[], true)
Source   Edit  
cmdzOpts = initOptParser(myOptsArgDash, {'x', 'y'}, @["ex", "why"], true)
Source   Edit  
i: int
Source   Edit  
p = initOptParser(myOptsArgDash, {}, @[], true)
Source   Edit  

Lets

entireFile = try:
  readFile helloworldReadme
except:
  ""                         ## \
                             ## calls readAll then closes the file afterwards
                             ## raises IO exception on err
                             ## use staticRead instead for compiletime
Source   Edit  
env =
  var collectResult_3489662032 = initTable(32)
  ## should probably be a strtabs
  for k, v in envPairs():
    if not contains(v, "woop") and v == "1":
      collectResult_3489662032[k] = v
  collectResult_3489662032
Source   Edit  
first5Lines = try:
  readLines helloworldReadme, 5
except:
  @[]
Source   Edit  
hiddenFiles =
  var collectResult_3489661372 = newSeq(Natural(0))
  for kind, path in walkDir(getHomeDir(), false, false, false):
    if isHidden(path):
      add(collectResult_3489661372) do:
        var fmtRes_3489661397 = newStringOfCap(48)
        formatValue(fmtRes_3489661397, kind, "")
        add(fmtRes_3489661397, ": ")
        add(fmtRes_3489661397, "path.lastPathPart=")
        formatValue(fmtRes_3489661397, lastPathPart(path), "")
        fmtRes_3489661397
  collectResult_3489661372
Source   Edit  
hiddenFilesRec =
  var collectResult_3489661418 = newSeq(Natural(0))
  for v in walkDirRec(getHomeDir(), {pcFile}, {pcDir}, false, false, false):
    if (
      10 < i):
      break
    else:
      i += 1
    if isHidden(v):
      add(collectResult_3489661418, lastPathPart(v))
  collectResult_3489661418
Source   Edit  
myEnv = newStringTable([("FILE", "/var/log/wtmp")], modeCaseSensitive)
Source   Edit  
someCmd = "whoami"
Source   Edit  
someCmdArg = someCmd & " $FILE"
Source   Edit  

Consts

appName = "bookofnim"
Source   Edit  
buildInfo = "Revision 1c9c926ebd359efc93546cb33973bd1f6f67aa7b\nCompiled on #43-Ubuntu SMP Wed Mar 29 16:11:05 UTC 2023"
compile time only returns stdout + stderr Source   Edit  
dirtmp = "/tmp/min"
Source   Edit  
dotpath = "./par/sibl/nephew"
Source   Edit  
fossdir = "~/git/foss/"
Source   Edit  
helloworldReadme = "src/bookofnim/helloworld/helloworld.md"
Source   Edit  
md = "md"
Source   Edit  
myOpts = "-ab12 -c=3 -d:4 --e f 5 6 --g:7 --h=8 -i::9 -j:=10 --k==11 --l=:12"
sample options Source   Edit  
myOptsArgDash = "-ab12 -c=3 -d:4 --e f 5 6 --g:7 --h=8 -i::9 -j:=10 --k==11 --l=:12 -- arg1 arg2"
sample options with arguments after double dash Source   Edit  
myOptsArgSpace = "-ab12 -c=3 -d:4 --e f 5 6 --g:7 --h=8 -i::9 -j:=10 --k==11 --l=:12 arg1 arg2"
sample options with arguments Source   Edit  
readme = "README.md"
Source   Edit  
relpath = "par/sibl/niece"
Source   Edit  
somefile = "README"
Source   Edit  
srcPath = "/home/runner/work/nim/nim/src/bookofnim/deepdives/osIo.nim"
Source   Edit  
tmpdir = "/tmp/nim"
Source   Edit  
tmpfile = "/tmp/helloworld.txt"
Source   Edit  
txt = "txt"
Source   Edit  

Procs

proc printToken(kind: CmdLineKind; key: string; val: string) {.
    ...raises: [ValueError], tags: [], forbids: [].}
copied from docs Source   Edit  
proc readFile(): string {....raises: [IOError, EOFError], tags: [ReadIOEffect],
                          forbids: [].}
Source   Edit  
proc writeLines(s: seq[string]): void {....raises: [IOError],
                                        tags: [WriteIOEffect], forbids: [].}
Source   Edit