door.go 11 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445
  1. /*
  2. Package door: a go implementation of a BBS door for linux and Windows
  3. that uses door32.sys, understand CP437 and unicode (if available),
  4. detects screen size, and supports TheDraw Fonts.
  5. import (
  6. "door"
  7. )
  8. int main() {
  9. d = door.Door{}
  10. d.Init() // Process commandline switches, initialize door, detect screen size.
  11. d.Write("Welcome to my awesome door, written in "+door.ColorText("BLINK BOLD WHITE")+"go"+door.Reset+"."+door.CRNL)
  12. d.Write("Press a key...")
  13. d.Key()
  14. d.Write(door.CRNL)
  15. }
  16. */
  17. package door
  18. import (
  19. "bytes"
  20. "flag"
  21. "fmt"
  22. "log"
  23. "os"
  24. "path/filepath"
  25. "runtime/debug"
  26. "sync"
  27. "time"
  28. "golang.org/x/term"
  29. )
  30. // debugging output - enable here
  31. const DEBUG_DOOR bool = false
  32. // For debugging input reader routines.
  33. const DEBUG_INPUT bool = false
  34. const DEBUG_OUTPUT bool = false
  35. // See door_test.go for DEBUG test const
  36. // Right now these are strings. Should they be []byte ?
  37. const SavePos = "\x1b[s" // Save Cursor Position
  38. const RestorePos = "\x1b[u" // Restore Cursor Position
  39. const CRNL = "\r\n" // BBS Line Ending
  40. const Clrscr = "\x1b[0m\x1b[2J\x1b[H" // Clear screen, home cursor
  41. const HideCursor = "\x1b[?25l" // Hide Cursor
  42. const ShowCursor = "\x1b[?25h" // Show Cursor
  43. const Reset string = "\x1b[0m" // ANSI Color Reset
  44. const CURSOR_POS = "\x1b[6n"
  45. const SAVE_POS = "\x1b[s"
  46. const RESTORE_POS = "\x1b[u"
  47. // Move these into the door structure, instead of having globals.
  48. var Unicode bool // Unicode support detected
  49. var CP437 bool // CP437 support detected
  50. var Full_CP437 bool // Full CP437 support detected (handles control codes properly)
  51. var Height int // Screen height detected
  52. var Width int // Screen width detected
  53. var Inactivity time.Duration = time.Duration(120) * time.Second // Inactivity timeout
  54. type ColorRender func(*bytes.Buffer, []byte) []byte
  55. type Updater func(*bytes.Buffer)
  56. type UpdaterI interface {
  57. Update() bool
  58. }
  59. type OutputI interface {
  60. Output() []byte
  61. }
  62. type CursorPos struct {
  63. X, Y int
  64. }
  65. type Mouse struct {
  66. Button int8
  67. X int8
  68. Y int8
  69. }
  70. type MouseMode int
  71. const (
  72. Off MouseMode = 0
  73. X10 MouseMode = 9
  74. Normal MouseMode = 1000
  75. Button MouseMode = 1002
  76. AnyEvent MouseMode = 1003
  77. )
  78. type ReaderData struct {
  79. R rune
  80. Ex Extended
  81. Err error
  82. }
  83. /*
  84. type noCopy struct{}
  85. func (*noCopy) Lock() {}
  86. func (*noCopy) Unlock() {}
  87. noCopy noCopy
  88. */
  89. type Door struct {
  90. Config DropfileConfig
  91. READFD int
  92. WRITEFD int
  93. Writer OSWriter
  94. Disconnected bool // Has User disconnected/Hung up?
  95. TimeOut time.Time // Fixed point in time, when time expires
  96. StartTime time.Time // Time when User started door
  97. Pushback FIFOBuffer[rune] // Key buffer
  98. LastColor []int // Track the last color sent for restore color
  99. ReaderClosed bool // Reader close
  100. readerChannel chan ReaderData // Reading from the User
  101. readerMutex sync.Mutex // Reader close mutex
  102. ReaderEnd bool // Reader should end
  103. LastMouse []Mouse // Store Mouse information
  104. LastCursor []CursorPos // Store Cursor pos information
  105. mcMutex sync.Mutex // Lock for LastMouse, LastCursor
  106. wg sync.WaitGroup
  107. tio_default *term.State // Terminal State to restore
  108. Mouse MouseMode // Mouse mode enabled
  109. }
  110. /*
  111. Enable mouse support
  112. 9 : X10 Support
  113. 1000: Normal
  114. 1002: Button Event
  115. 1003: Any-Event
  116. */
  117. func (d *Door) EnableMouse(mode MouseMode) {
  118. if d.Mouse != Off {
  119. // Disable current mode first
  120. d.DisableMouse()
  121. }
  122. d.Mouse = mode
  123. if d.Mouse != Off {
  124. var output []byte
  125. output = fmt.Appendf(output, "\x1b[?%dh", int(d.Mouse))
  126. d.Write(output)
  127. // d.Write(fmt.Sprintf("\x1b[?%dh", int(d.Mouse)))
  128. }
  129. }
  130. // Disable mouse support
  131. func (d *Door) DisableMouse() {
  132. if d.Mouse != Off {
  133. var output []byte
  134. output = fmt.Appendf(output, "\x1b[?%dl", int(d.Mouse))
  135. d.Write(output)
  136. // d.Write(fmt.Sprintf("\x1b[?%dl", int(d.Mouse)))
  137. }
  138. d.Mouse = Off
  139. }
  140. func (d *Door) AddMouse(mouse Mouse) {
  141. d.mcMutex.Lock()
  142. defer d.mcMutex.Unlock()
  143. d.LastMouse = append(d.LastMouse, mouse)
  144. }
  145. var WantGetMouse bool
  146. func (d *Door) GetMouse() (Mouse, bool) {
  147. if WantGetMouse {
  148. WantGetMouse = false
  149. } else {
  150. log.Println("GetMouse called, but WantGetMouse not true.")
  151. }
  152. d.mcMutex.Lock()
  153. defer d.mcMutex.Unlock()
  154. return ArrayDelete(&d.LastMouse, 0)
  155. }
  156. func (d *Door) GetCursorPos() (CursorPos, bool) {
  157. d.mcMutex.Lock()
  158. if DEBUG_DOOR {
  159. log.Printf("LastCursor %p/%p %d, %d\n", d, &d.LastCursor, len(d.LastCursor), cap(d.LastCursor))
  160. }
  161. defer d.mcMutex.Unlock()
  162. if DEBUG_DOOR {
  163. log.Printf("LastCursor: %#v\n", d.LastCursor)
  164. }
  165. return ArrayDelete(&d.LastCursor, 0)
  166. }
  167. func (d *Door) AddCursorPos(cursor CursorPos) {
  168. d.mcMutex.Lock()
  169. if DEBUG_DOOR {
  170. log.Printf("LastCursor %p/%p %d, %d\n", d, &d.LastCursor, len(d.LastCursor), cap(d.LastCursor))
  171. }
  172. defer d.mcMutex.Unlock()
  173. d.LastCursor = append(d.LastCursor, cursor)
  174. if DEBUG_DOOR {
  175. log.Printf("LastCursor now %d, %d\n", len(d.LastCursor), cap(d.LastCursor))
  176. log.Printf("AddCursor: %#v\n", d.LastCursor)
  177. }
  178. }
  179. func (d *Door) ClearMouseCursor() {
  180. d.mcMutex.Lock()
  181. defer d.mcMutex.Unlock()
  182. if DEBUG_DOOR {
  183. log.Println("ClearMouseCursor")
  184. }
  185. d.LastMouse = make([]Mouse, 0, 2)
  186. d.LastCursor = make([]CursorPos, 0, 3)
  187. }
  188. // Return the amount of time left as time.Duration
  189. func (d *Door) TimeLeft() time.Duration {
  190. return time.Until(d.TimeOut)
  191. }
  192. func (d *Door) TimeUsed() time.Duration {
  193. return time.Since(d.StartTime)
  194. }
  195. func (d *Door) Disconnect() bool {
  196. return d.Disconnected // atomic.LoadInt32(&d.Disconnected) != 0
  197. }
  198. func (d *Door) Detect() bool {
  199. // detect is destructive ... make it non-destructive
  200. // destructive: clears/trashes the screen.
  201. var detect bytes.Buffer
  202. detect.WriteString("\r\x03\x04" + CURSOR_POS + "\b \b\b \b" +
  203. "\r\u2615" + CURSOR_POS + "\b \b\b \b\b \b" +
  204. SAVE_POS + "\x1b[999C\x1b[999B" + CURSOR_POS + RESTORE_POS)
  205. // hot beverage is 3 bytes long -- need 3 "\b \b" to erase.
  206. d.Write(detect.Bytes())
  207. var info []CursorPos = make([]CursorPos, 0, 3)
  208. var done bool
  209. for !done {
  210. _, ex, err := d.WaitKey(time.Second)
  211. log.Println("WaitKey:", ex, err)
  212. if ex == CURSOR {
  213. cursor, ok := d.GetCursorPos()
  214. if ok {
  215. info = append(info, cursor)
  216. if len(info) == 3 {
  217. done = true
  218. }
  219. }
  220. }
  221. if err != nil {
  222. done = true
  223. }
  224. }
  225. if len(info) != 3 {
  226. // Detection FAILED.
  227. log.Println("Detect FAILED:", info)
  228. return false
  229. }
  230. // Ok! Let's see what we've got...
  231. var valid bool
  232. // Where did I get these numbers from?
  233. // linux term (telnet/ssh) [0].X = 1, [1].X = 3
  234. // VS Code terminal: 1, 3
  235. // https://docs.python.org/3/library/unicodedata.html
  236. // \u2615 is a fullwidth (2 char) unicode symbol!
  237. // SO, [1].X == 3 // and not 2.
  238. // syncterm [0].X = 3, [1].X = 4
  239. // Magiterm [0].X = 3, [1].X = 4
  240. // cp437 + telnet [0].X = 1, [1].X = 4 FullCP437 = False
  241. // ^ Fails FullCP437 test - characters codes ignored.
  242. // cp437plus + telnet 3, 4. (Has FullCP437 support.)
  243. // if (info[0].X == 1 || info[0].X == 3) &&
  244. // (info[1].X == 2 || info[1].X == 3) {
  245. // Breakdown by detected type:
  246. // Unicode \x03 \x04 (control codes ignored)
  247. // Unicode \u2615 = fullwidth takes up 2 characters
  248. // CP437 \x03 \x04 Hearts Diamonds Symbols 2 characters
  249. // ^ Only works for FullCP437
  250. // CP437 \u2615 = b'\xe2\x98\x95' 3 bytes
  251. // So info[1].X = 4
  252. if info[0].X == 1 && info[1].X == 3 {
  253. Unicode = true
  254. valid = true
  255. } else {
  256. // info[1].X = 4
  257. Unicode = false
  258. CP437 = true
  259. valid = true
  260. }
  261. if info[0].X == 3 {
  262. Full_CP437 = true
  263. }
  264. if !valid {
  265. log.Println("Detect FAILED (not valid):", info)
  266. return false
  267. }
  268. Width, Height = info[2].X, info[2].Y
  269. // Putty doesn't seem to restoring the cursor position (when detecting).
  270. d.Write(Goto(1, info[0].Y))
  271. log.Printf("Unicode: %t, CP437: %t, Full %t, Screen %v\n", Unicode, CP437, Full_CP437, info[2])
  272. return true
  273. }
  274. // Initialize door framework. Parse commandline, read dropfile,
  275. // detect terminal capabilities.
  276. func (d *Door) Init(doorname string) {
  277. var dropfile string
  278. d.Pushback = NewFIFOBuffer[rune](5)
  279. // Get path to binary, and chdir to it.
  280. var binaryPath string
  281. binaryPath, _ = os.Executable()
  282. binaryPath = filepath.Dir(binaryPath)
  283. _ = os.Chdir(binaryPath)
  284. flag.StringVar(&dropfile, "d", "", "Path to dropfile")
  285. flag.Parse()
  286. if len(dropfile) == 0 {
  287. flag.PrintDefaults()
  288. os.Exit(2)
  289. }
  290. d.ReadDropfile(dropfile)
  291. if d.Config.Comm_type == 0 {
  292. // RAW MODE
  293. d.tio_default, _ = term.MakeRaw(d.READFD)
  294. }
  295. // Logfile will be doorname - node #
  296. var logfilename string = fmt.Sprintf("%s-%d.log", doorname, d.Config.Node)
  297. var logf *os.File
  298. var err error
  299. logf, err = os.OpenFile(logfilename, os.O_APPEND|os.O_CREATE|os.O_RDWR, 0666)
  300. if err != nil {
  301. log.Panicf("Error creating log file %s: %v", logfilename, err)
  302. }
  303. // Set logging output to logfilename.
  304. log.SetOutput(logf)
  305. log.SetFlags(log.Ldate | log.Ltime | log.Lshortfile)
  306. log.Printf("Loading dropfile %s\n", dropfile)
  307. log.Printf("BBS %s, User %s / Handle %s / File %d\n", d.Config.BBSID, d.Config.Real_name, d.Config.Handle, d.Config.Comm_handle)
  308. d.readerChannel = make(chan ReaderData, 16) // was 8 ?
  309. d.ClearMouseCursor()
  310. d.setupChannels()
  311. d.Writer.Init(d)
  312. d.Detect()
  313. if Unicode {
  314. BOXES = BOXES_UNICODE
  315. BARS = BARS_UNICODE
  316. } else {
  317. BOXES = BOXES_CP437
  318. BARS = BARS_CP437
  319. }
  320. }
  321. func (d *Door) Close() {
  322. defer func() {
  323. if err := recover(); err != nil {
  324. log.Println("door.Close FAILURE:", err)
  325. // This displays stack trace stderr
  326. debug.PrintStack()
  327. }
  328. }()
  329. d.DisableMouse()
  330. // This disables anymore Writes.
  331. d.Writer.Stop()
  332. /*
  333. d.writerMutex.Lock()
  334. d.WriterClosed = true
  335. d.writerMutex.Unlock()
  336. */
  337. // I need a way to shutdown the reader.
  338. // This isn't shutting it down, we hang on d.wg.Wait()
  339. d.readerMutex.Lock()
  340. // d.ReaderClosed = true
  341. d.ReaderEnd = true
  342. d.readerMutex.Unlock()
  343. // log.Println("Closing...")
  344. // close(d.writerChannel)
  345. log.Println("wg.Wait()")
  346. d.wg.Wait()
  347. log.Println("Closed.")
  348. if d.Config.Comm_type == 0 {
  349. // Linux - restore console settings to default/original.
  350. term.Restore(d.READFD, d.tio_default)
  351. }
  352. }
  353. // Goto X, Y - Position the cursor using ANSI Escape Codes
  354. //
  355. // Example:
  356. //
  357. // d.Write(door.Goto(1, 5) + "Now at X=1, Y=5.")
  358. func Goto(x int, y int) []byte {
  359. var output []byte
  360. output = fmt.Appendf(output, "\x1b[%d;%dH", y, x)
  361. return output
  362. }
  363. func GotoS(x int, y int) string {
  364. return fmt.Sprintf("\x1b[%d;%dH", y, x)
  365. }
  366. func (d *Door) setupChannels() {
  367. d.wg.Add(1)
  368. go Reader(d)
  369. }