88 lines
2.2 KiB
Nim
88 lines
2.2 KiB
Nim
import vga
|
|
|
|
const
|
|
vgaWidth = 80
|
|
vgaHeight = 25
|
|
|
|
type
|
|
VGAMemory = ptr array[0..(vgaWidth * vgaHeight - 1), VGADoubleByte]
|
|
|
|
const
|
|
terminalBufferBaseAddress = 0xB8000
|
|
vgaMem = cast[VGAMemory](terminalBufferBaseAddress)
|
|
|
|
var
|
|
terminalRow, terminalColumn = 0
|
|
terminalColour: int
|
|
|
|
proc terminalWriteAtPoint(writeChar: char, colour: int, xPos: int, yPos: int) =
|
|
let index = yPos * vgaWidth + xPos
|
|
vgaMem[index] = vga.vgaEntry(writeChar, terminalColour)
|
|
|
|
proc terminalClear*() =
|
|
for x in 0..<vgaWidth:
|
|
for y in 0..<vgaHeight:
|
|
terminalWriteAtPoint(' ', terminalColour, x, y)
|
|
terminalRow = 0
|
|
terminalColumn = 0
|
|
|
|
proc terminalInitialize*() =
|
|
terminalColour = vgaEntryColour(VGA_Colour.lightGreen, VGA_Colour.red)
|
|
terminalClear()
|
|
|
|
proc terminalScroll() =
|
|
for y in 0..< (vgaHeight - 1):
|
|
let base1 = y * vgaWidth
|
|
let base2 = (y + 1) * vgaWidth
|
|
for x in 0..<vgaWidth:
|
|
vgaMem[base1 + x] = vgaMem[base2 + x]
|
|
for x in 0..<vgaWidth: # Blank the "new" bottom line
|
|
terminalWriteAtPoint(' ', terminalColour, x, vgaHeight - 1)
|
|
|
|
proc setTerminalColour(newColour: int) =
|
|
terminalColour = newColour
|
|
|
|
proc terminalWriteChar(writeChar: char) =
|
|
|
|
proc scrollCheckAndSet() =
|
|
if(terminalRow < vgaHeight - 1): inc(terminalRow)
|
|
else: # If we are at the bottom of the screen then scroll the screen.
|
|
terminalScroll()
|
|
terminalColumn = 0
|
|
|
|
if(writeChar == '\L'):
|
|
scrollCheckAndSet()
|
|
return
|
|
terminalWriteAtPoint(writeChar, terminalColour, terminalColumn, terminalRow)
|
|
inc(terminalColumn)
|
|
if(terminalColumn == vgaWidth):
|
|
scrollCheckAndSet()
|
|
|
|
proc terminalWrite*(data: string) =
|
|
for character in data:
|
|
terminalWriteChar(character)
|
|
|
|
proc terminalWrite*(data: char) =
|
|
terminalWriteChar(data)
|
|
|
|
var parsedData = ['0','0','0','0','0','0','0','0','0','0']
|
|
|
|
proc terminalWrite*(data: int) =
|
|
if(data == 0):
|
|
terminalWrite('0')
|
|
return
|
|
var input = data
|
|
var i = 0
|
|
if(input < 0):
|
|
terminalWrite('-')
|
|
input = input * -1
|
|
while(input != 0):
|
|
let parsedChar: char = char(48 + (input mod 10))
|
|
parsedData[i] = parsedChar
|
|
i = i + 1
|
|
input = input div 10
|
|
while i > 0:
|
|
i = i - 1
|
|
terminalWrite(parsedData[i])
|
|
|