door.go 11 KB

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