shard-spectator/src/spectator/source.cr

70 lines
1.8 KiB
Crystal
Raw Normal View History

2020-09-05 22:36:12 +00:00
require "json"
2019-02-17 19:25:23 +00:00
module Spectator
# Define the file and line number something originated from.
struct Source
# Absolute file path.
getter file : String
# Line number in the file.
getter line : Int32
# Creates the source.
def initialize(@file, @line)
end
2019-03-24 02:47:41 +00:00
# Parses a source from a string.
2021-01-01 01:45:56 +00:00
# The *string* should be in the form:
# ```text
# FILE:LINE
# ```
# This matches the output of the `#to_s` method.
2019-03-24 02:47:41 +00:00
def self.parse(string)
# Make sure to handle multiple colons.
# If this ran on Windows, there's a possibility of a colon in the path.
# The last element should always be the line number.
parts = string.split(':')
path = parts[0...-1].join(':')
line = parts.last
file = File.expand_path(path)
self.new(file, line.to_i)
end
# The relative path to the file from the current directory.
# If the file isn't in the current directory or a sub-directory,
# then the absolute path is provided.
def path
# Add the path separator here.
# Otherwise, things like:
# `spectator/foo.cr` and `spectator.cr` overlap.
# It also makes the substring easier.
cwd = Dir.current + File::SEPARATOR
if file.starts_with?(cwd)
# Relative to the current directory.
# Trim the current directory path from the beginning.
file[cwd.size..-1]
else
# Not trivial to find the file.
# Return the absolute path.
file
end
end
2019-02-17 19:25:23 +00:00
# String representation of the source.
# This is formatted as:
# ```text
# FILE:LINE
# ```
2019-02-17 19:25:23 +00:00
def to_s(io)
io << path
2019-02-17 19:25:23 +00:00
io << ':'
io << line
end
# Creates the JSON representation of the source.
def to_json(json : ::JSON::Builder)
json.string(to_s)
end
2019-02-17 19:25:23 +00:00
end
end