From 9425ba0f7cdc7ca527d1a36d3b7b5333b3402b9a Mon Sep 17 00:00:00 2001 From: Alejandro Mery Date: Tue, 29 Aug 2023 16:22:59 +0000 Subject: [PATCH] lexer: introduce a Position (Line, Column) handler Signed-off-by: Alejandro Mery --- lexer/position.go | 66 +++++++++++++++++++++++++++++++++++++++++++++++ 1 file changed, 66 insertions(+) create mode 100644 lexer/position.go diff --git a/lexer/position.go b/lexer/position.go new file mode 100644 index 0000000..9e2470c --- /dev/null +++ b/lexer/position.go @@ -0,0 +1,66 @@ +package lexer + +import "fmt" + +// Position indicates a line and column pair on a file. +// Counting starts at 1. +type Position struct { + Line int + Column int +} + +// String generates a pretty "(Line, Column)"" representation of the Position +func (p Position) String() string { + if p.Line == 0 { + p.Reset() + } + + return fmt.Sprintf("(%v, %v)", p.Line, p.Column) +} + +// GoString generates a string representation of the Position for %#v usage +func (p Position) GoString() string { + if p.Line == 0 { + p.Reset() + } + + return fmt.Sprintf("lexer.Position{%v, %v}", p.Line, p.Column) +} + +// Reset places a position at (1,1) +func (p *Position) Reset() { + p.Line, p.Column = 1, 1 +} + +// Step moves the column one place +func (p *Position) Step() { + if p.Line == 0 { + p.Reset() + } + + p.Column++ +} + +// StepN moves the column N places forward +func (p *Position) StepN(n int) { + if p.Line == 0 { + p.Reset() + } + + switch { + case n > 0: + p.Column += n + default: + panic(fmt.Errorf("invalid %v increment", n)) + } +} + +// StepLine moves position to the start of the next line +func (p *Position) StepLine() { + if p.Line == 0 { + p.Reset() + } + + p.Line++ + p.Column = 1 +} -- 2.17.1