staging.tenderlovemaking.com Open in urlscan Pro
75.119.201.149  Public Scan

URL: https://staging.tenderlovemaking.com/
Submission: On June 17 via api from US — Scanned from DE

Form analysis 0 forms found in the DOM

Text Content

Aaron Patterson

Posted 5 days ago

This is a test toot


USING SERIAL PORTS WITH RUBY

Posted 4 months ago

Lets mess around with serial ports today! I love doing hardware hacking, and
dealing with serial ports is a common thing you have to do when working with
embedded systems. Of course I want to do everything with Ruby, and I had found
Ruby serial port libraries to be either lacking, or too complex, so I decided to
write my own. I feel like I’ve not done a good enough job promoting the library,
so today we’re going to mess with serial ports using the UART gem. Don’t let the
last commit date on the repo fool you, despite being over 6 years ago, this
library is actively maintained (and I use it every day!).

I’ve got a GMC-320 Geiger counter. Not only is the price pretty reasonable, but
it also has a serial port interface! You can log data, then download the logged
data via serial port. Today we’re just going to write a very simple program that
gets the firmware version via serial port, and then gets live updates from the
device. This will allow us to start with UART basics in Ruby, and then work with
streaming data and timeouts.

The company that makes the Geiger counter published a spec for the UART commands
that the device supports, so all we need to do is send the commands and read the
results.

According to the spec, the default UART config for my Geiger counter is 115200
BPS, Data bit: 8, no parity, Stop bit: 1, and no control. This is pretty easy to
configure with the UART gem, all of these values are default except for the baud
rate. The UART gem defaults to 9600 for the baud rate, so that’s the only thing
we’ll have to configure.


GETTING THE HARDWARE VERSION

To get the hardware model and version, we just have to send <GETVER>> over the
serial port and then read the response. Let’s write a small program that will
fetch the hardware model and version and print them out.

require "uart"

UART.open ARGV[0], 115200 do |serial|
  # Send the "get version" command
  serial.write "<GETVER>>"

  # read and print the result
  puts serial.read
end


The first thing we do is require the uart library (make sure to gem install uart
if you haven’t done so yet). Then we open the serial interface. We’ll pass the
tty file in via the command line, so ARGV[0] will have the path to the tty. When
I plug my Geiger counter in, it shows up as /dev/tty.usbserial-111240. We also
configure the baud rate to 115200.

Once the serial port is open, we are free to read and write to it as if it were
a Ruby file object. In fact, this is because it really is just a regular file
object.

First we’ll send the command <GETVER>>, then we’ll read the response from the
serial port.

Here’s what it looks like when I run it on my machine:

$ ruby rad.rb /dev/tty.usbserial-111240
GMC-320Re 4.09



LIVE UPDATES

According to the documentation, we can get live updates from the hardware. To do
that, we just need to send the <HEARTBEAT1>> command. Once we send that command,
the hardware will write a value to the serial port every second, and it’s our
job to read the data when it becomes available. We can use IO#wait_readable to
wait until there is data to be read from the serial port.

According to the specification, there are two bytes (a 16 bit integer), and we
need to ignore the top 2 bits. We’ll create a mask to ignore the top two bits,
and combine that with the two bytes we read to get our value:

require "uart"

MASK = (~(3 << 14)) & 0xFFFF

UART.open ARGV[0], 115200 do |serial|
  # turn on heartbeat
  serial.write "<HEARTBEAT1>>"

  loop do
    if serial.wait_readable
      count = ((serial.readbyte << 8) | serial.readbyte) & MASK
      p count
    end
  end
ensure
  # make sure to turn off heartbeat
  serial.write "<HEARTBEAT0>>"
end


After we’ve sent the “start heartbeat” command, we enter a loop. Inside the
loop, we block until there is data available to read by calling
serial.wait_readable. Once there is data to read, we’ll read two bytes and
combine them to a 16 bit integer. Then we mask off the integer using the MASK
constant so that the two top bits are ignored. Finally we just print out the
count.

The ensure section ensures that when the program exits, we’ll tell the hardware
“hey, we don’t want to stream data anymore!”

When I run this on my machine, the output is like this (I hit Ctrl-C to stop the
program):

$ ruby rad.rb /dev/tty.usbserial-111240
0
0
0
0
0
0
0
1
0
1
0
0
0
1
^Crad.rb:10:in 'IO#wait_readable': Interrupt
	from rad.rb:10:in 'block (2 levels) in <main>'
	from <internal:kernel>:191:in 'Kernel#loop'
	from rad.rb:9:in 'block in <main>'
	from /Users/aaron/.rubies/arm64/ruby-trunk/lib/ruby/gems/3.4.0+0/gems/uart-1.0.0/lib/uart.rb:57:in 'UART.open'
	from rad.rb:5:in '<main>'


Lets do two improvements, and then call it a day. First, lets specify a timeout,
then lets calculate the CPM.


SPECIFYING A TIMEOUT

Currently, serial.wait_readable will block forever, but we expect an update from
the hardware about every second. If it takes longer than say 2 seconds for data
to be available, then something must be wrong and we should print a message or
exit the program.

Specifying a timeout is quite easy, we just pass the timeout (in seconds) to the
wait_readable method like below:

require "uart"

MASK = (~(3 << 14)) & 0xFFFF

UART.open ARGV[0], 115200 do |serial|
  # turn on heartbeat
  serial.write "<HEARTBEAT1>>"

  loop do
    if serial.wait_readable(2)
      count = ((serial.readbyte << 8) | serial.readbyte) & MASK
      p count
    else
      $stderr.puts "oh no, something went wrong!"
      exit(1)
    end
  end
ensure
  # make sure to turn off heartbeat
  serial.write "<HEARTBEAT0>>"
end


When data becomes available, wait_readable will return a truthy value, and if
the timeout was reached, then it will return a falsy value. So, if it takes more
than 2 seconds for data to become available wait_readable will return nil, and
we print an error message and exit the program.


CALCULATING CPM

CPM stands for “counts per minute”, meaning the number of ionization events the
hardware has detected within one minute. However, the value that we’re reading
from the serial port is actually the “counts per second” (or ionization events
the hardware detected in the last second). Most of the time that value is 0 so
it’s not super fun to read. Lets calculate the CPM and print that instead.

We know the samples are arriving about every second, so I’m just going to modify
this code to keep a list of the last 60 samples and just sum those:

require "uart"

MASK = (~(3 << 14)) & 0xFFFF

UART.open ARGV[0], 115200 do |serial|
  # turn on heartbeat
  serial.write "<HEARTBEAT1>>"

  samples = []

  loop do
    if serial.wait_readable(2)
      # Push the sample on the list
      samples.push(((serial.readbyte << 8) | serial.readbyte) & MASK)

      # Make sure we only have 60 samples in the list
      while samples.length > 60; samples.shift; end

      # Print a sum of the samples (if we have 60)
      p CPM: samples.sum if samples.length == 60
    else
      $stderr.puts "oh no, something went wrong!"
      exit(1)
    end
  end
ensure
  # make sure to turn off heartbeat
  serial.write "<HEARTBEAT0>>"
end


Here is the output on my machine:

$ ruby rad.rb /dev/tty.usbserial-111240
{:CPM=>9}
{:CPM=>8}
{:CPM=>8}
{:CPM=>8}
{:CPM=>8}
{:CPM=>9}
{:CPM=>9}
{:CPM=>9}


After about a minute or so, it starts printing the CPM.


CONCLUSION

I love playing with embedded systems as well as dealing with UART. Next time you
need to do any serial port communications in Ruby, UART to consider using my
gem. Thanks for your time, and I hope you have a great weekend!


FAST TOKENIZERS WITH STRINGSCANNER

Posted 9 months ago

Lately I’ve been messing around with writing a GraphQL parser called TinyGQL. I
wanted to see how fast I could make a GraphQL parser without writing any C
extensions. I think I did pretty well, but I’ve learned some tricks for speeding
up parsers and I want to share them.

Today we’re going to specifically look at the lexing part of parsing. Lexing is
just breaking down an input string in to a series of tokens. It’s the parser’s
job to interpret those tokens. My favorite tool for tokenizing documents in Ruby
is StringScanner. Today we’re going to look at a few tricks for speeding up
StringScanner based lexers. We’ll start with a very simple GraphQL lexer and
apply a few tricks to speed it up.


A VERY BASIC LEXER

Here is the lexer we’re going to work with today:

require "strscan"

class Lexer
  IDENTIFIER =    /[_A-Za-z][_0-9A-Za-z]*\b/
  WHITESPACE =  %r{ [, \c\r\n\t]+ }x
  COMMENTS   = %r{ \#.*$ }x
  INT =           /[-]?(?:[0]|[1-9][0-9]*)/
  FLOAT_DECIMAL = /[.][0-9]+/
  FLOAT_EXP =     /[eE][+-]?[0-9]+/
  FLOAT =  /#{INT}#{FLOAT_DECIMAL}#{FLOAT_EXP}|#{FLOAT_DECIMAL}|#{FLOAT_EXP}/

  KEYWORDS = [ "on", "fragment", "true", "false", "null", "query", "mutation",
    "subscription", "schema", "scalar", "type", "extend", "implements",
    "interface", "union", "enum", "input", "directive", "repeatable"
  ].freeze

  KW_RE = /#{Regexp.union(KEYWORDS.sort)}\b/
  KW_TABLE = Hash[KEYWORDS.map { |kw| [kw, kw.upcase.to_sym] }]

  module Literals
    LCURLY =        '{'
    RCURLY =        '}'
    LPAREN =        '('
    RPAREN =        ')'
    LBRACKET =      '['
    RBRACKET =      ']'
    COLON =         ':'
    VAR_SIGN =      '$'
    DIR_SIGN =      '@'
    EQUALS =        '='
    BANG =          '!'
    PIPE =          '|'
    AMP =           '&'
  end

  ELLIPSIS =      '...'

  include Literals

  PUNCTUATION = Regexp.union(Literals.constants.map { |name|
    Literals.const_get(name)
  })

  PUNCTUATION_TABLE = Literals.constants.each_with_object({}) { |x,o|
    o[Literals.const_get(x)] = x
  }

  def initialize doc
    @doc = doc
    @scan = StringScanner.new doc
  end

  def next_token
    return if @scan.eos?

    case
    when s = @scan.scan(WHITESPACE)  then [:WHITESPACE, s]
    when s = @scan.scan(COMMENTS)    then [:COMMENT, s]
    when s = @scan.scan(ELLIPSIS)    then [:ELLIPSIS, s]
    when s = @scan.scan(PUNCTUATION) then [PUNCTUATION_TABLE[s], s]
    when s = @scan.scan(KW_RE)       then [KW_TABLE[s], s]
    when s = @scan.scan(IDENTIFIER)  then [:IDENTIFIER, s]
    when s = @scan.scan(FLOAT)       then [:FLOAT, s]
    when s = @scan.scan(INT)         then [:INT, s]
    else
      [:UNKNOWN_CHAR, @scan.getch]
    end
  end
end


It only tokenizes a subset of GraphQL. Namely, it omits string literals.
Matching string literals is kind of gross, and I wanted to keep this example
small, so I removed them. I have a large document that I’ll use to measure some
performance aspects of this lexer, and if you want to try it out, you can find
the document here.

To use the lexer, just pass the document you want to tokenize, then repeatedly
call next_token on the lexer until it returns nil:

lexer = Lexer.new input
while tok = lexer.next_token
  # do something
end


GraphQL documents look something like this:

mutation {
  a: likeStory(storyID: 12345) {
    b: story {
      c: likeCount
    }
  }
}


And with this lexer implementation, the tokens come out as tuples and they look
something like this:

[:IDENTIFIER, "likeStory"]
[:LPAREN, "("]
[:IDENTIFIER, "storyID"]


Our benchmarking code is going to be very simple, we’re just going to use the
lexer to pull all of the tokens out of the test document:

require "benchmark/ips"

def allocations
  x = GC.stat(:total_allocated_objects)
  yield
  GC.stat(:total_allocated_objects) - x
end

def go doc
  lexer = Lexer.new doc
  while tok = lexer.next_token
    # do nothing
  end
end

doc = ARGF.read

Benchmark.ips { |x| x.report { go doc } }
p ALLOCATIONS: allocations { go doc }


With this implementation of the lexer, here are the benchmark results on my
machine:

$ ruby -I lib test.rb benchmark/fixtures/negotiate.gql
Warming up --------------------------------------
                        21.000  i/100ms
Calculating -------------------------------------
                        211.043  (± 0.9%) i/s -      1.071k in   5.075133s
{:ALLOCATIONS=>20745}


We can do a little over 200 iterations per second, and tokenizing the document
allocates a bit over 20k objects.


STRINGSCANNER CONTEXT

Before we get to optimizing this lexer, lets get a little background on
StringScanner. StringScanner is one of my favorite utilities that ships with
Ruby. You can think of this object as basically a “cursor” that points inside a
string. When you successfully scan a token from the beginning of the cursor,
StringScanner will move the cursor forward. If scanning fails, the cursor
doesn’t move.

The inspect method on the StringScanner object makes this behavior very clear,
so lets just look at some code in IRB:

>> scanner = StringScanner.new("the quick brown fox jumped over the lazy dog")
=> #<StringScanner 0/44 @ "the q...">
>> scanner.scan(/the /)
=> "the "
>> scanner
=> #<StringScanner 4/44 "the " @ "quick...">
>> scanner.scan(/qui/)
=> "qui"
>> scanner
=> #<StringScanner 7/44 "...e qui" @ "ck br...">
>> scanner.scan(/hello/)
=> nil
>> scanner
=> #<StringScanner 7/44 "...e qui" @ "ck br...">


The @ symbol in the inspect output shows where the cursor currently points, and
the ratio at the beginning gives you kind of a “progress” counter. As I scanned
through the string, the cursor moved forward. Near the end, you can see where I
tried to scan “hello”, it returned nil, and the cursor stayed in place.

Combining StringScanner with the linear case / when in Ruby is a great
combination for really easily writing tokenizers.

StringScanner also allows us to skip particular values, as well as ask for the
current cursor position:

>> scanner
=> #<StringScanner 7/44 "...e qui" @ "ck br...">
>> scanner.skip(/ck /)
=> 3
>> scanner
=> #<StringScanner 10/44 "...uick " @ "brown...">
>> scanner.skip(/hello/)
=> nil
>> scanner
=> #<StringScanner 10/44 "...uick " @ "brown...">
>> scanner.pos
=> 10


Calling skip will try to skip a pattern. If skipping works, it returns the
length of the string it matched, and if it fails, it returns nil. You can also
get and set the position of the cursor using the pos and pos= methods.

Now lets try to speed up this lexer!


SPEEDING UP THIS LEXER

The name of the game for speeding up lexers (or really any code) is to reduce
the number of method calls as well as the number of allocations. So we’re going
to try applying some tricks to reduce both.

Whenever I’m trying to improve the performance of any code, I find it is
important to think about the context of how that code is used. For example, our
lexer currently yields tokens for comments and whitespace. However, the GraphQL
grammar ignores comments and whitespace. Since the parser doesn’t actually need
to know about whitespace or comments in order to understand the document, it is
fine for the lexer to just skip them.

Our first optimization is to combine the whitespace and comment check, and then
quit returning tokens:

diff --git a/test.rb b/test.rb
index 2c1e874..9130a54 100644
--- a/test.rb
+++ b/test.rb
@@ -2,8 +2,12 @@ require "strscan"
 
 class Lexer
   IDENTIFIER =    /[_A-Za-z][_0-9A-Za-z]*\b/
-  WHITESPACE =  %r{ [, \c\r\n\t]+ }x
-  COMMENTS   = %r{ \#.*$ }x
+  IGNORE   =       %r{
+    (?:
+      [, \c\r\n\t]+ |
+      \#.*$
+    )*
+  }x
   INT =           /[-]?(?:[0]|[1-9][0-9]*)/
   FLOAT_DECIMAL = /[.][0-9]+/
   FLOAT_EXP =     /[eE][+-]?[0-9]+/
@@ -51,11 +55,11 @@ class Lexer
   end
 
   def next_token
+    @scan.skip(IGNORE)
+
     return if @scan.eos?
 
     case
-    when s = @scan.scan(WHITESPACE)  then [:WHITESPACE, s]
-    when s = @scan.scan(COMMENTS)    then [:COMMENT, s]
     when s = @scan.scan(ELLIPSIS)    then [:ELLIPSIS, s]
     when s = @scan.scan(PUNCTUATION) then [PUNCTUATION_TABLE[s], s]
     when s = @scan.scan(KW_RE)       then [KW_TABLE[s], s]


By combining the whitespace and comment regex, we could eliminate one method
call. We also changed the scan to a skip which eliminated string object
allocations. Lets check the benchmark after this change:

$ ruby -I lib test.rb benchmark/fixtures/negotiate.gql
Warming up --------------------------------------
                        32.000  i/100ms
Calculating -------------------------------------
                        322.100  (± 0.3%) i/s -      1.632k in   5.066846s
{:ALLOCATIONS=>10527}


This is great! Our iterations per second (IPS) went from 211 to 322, and our
allocations went from about 20k down to around 10k. So we cut our allocations in
half and increased speed by about 50%.


THINKING BIGGER

This lexer returns a tuple for each token. The tuple looks like this: [:LPAREN,
"("]. But when the parser looks at the token, how often does it actually need
the string value of the token?

When the parser looks at the first element, it is able to understand that the
lexer found a left parenthesis just by looking at the symbol :LPAREN. The parser
gets no benefit from the "(" string that is in the tuple.

Just by looking at the token name, the parser can tell what string the lexer
found. This is true for all punctuation, as well as keywords.

Identifiers and numbers are a little bit different though. The parser doesn’t
particularly care about the actual string value of any identifier or number. It
only cares that an identifier or number was found. However, if we think one
level up, it’s quite likely that consumers of the parser will care what field
name or number was in the GraphQL document.

Since the parser doesn’t care about the actual token value, but the user does
care about the token value, lets split the next_token method in two:

 1. One method to get the token (:INT, :LCURLY, etc)
 2. One method to get the token value

When the parser encounters a token where the token value actually matters, the
parser can ask the lexer for the token value. For example, something like this:

lexer = Lexer.new doc
while tok = lexer.next_token
  if tok == :IDENTIFIER
    p lexer.token_value
  end
end

__END__
mutation {
  a: likeStory(storyID: 12345) {
    b: story {
      c: likeCount
    }
  }
}


This split buys us two really big wins. The first is that next_token doesn’t
need to return an array anymore. That’s already one object per token saved. The
second win is that we only ever allocate a string when we really need it.

Here is the new next_token method, and the token_value helper method:

  def next_token
    @scan.skip(IGNORE)

    return if @scan.eos?

    case
    when @scan.skip(ELLIPSIS)        then :ELLIPSIS
    when s = @scan.scan(PUNCTUATION) then PUNCTUATION_TABLE[s]
    when s = @scan.scan(KW_RE)       then KW_TABLE[s]
    when @scan.skip(IDENTIFIER)      then :IDENTIFIER
    when @scan.skip(FLOAT)           then :FLOAT
    when @scan.skip(INT)             then :INT
    else
      @scan.getch
      :UNKNOWN_CHAR
    end
  end

  def token_value
    @doc.byteslice(@scan.pos - @scan.matched_size, @scan.matched_size)
  end


We’ve changed the method to only return a symbol that identifies the token. We
also changed most scan calls to skip calls. scan will return the string it
matched (an allocation), but skip simply returns the length of the string it
matched (not an allocation).

As the parser requests tokens from the lexer, if it encounters a token where it
actually cares about the string value, it just calls token_value. This makes our
benchmark a little bit awkward now because we’ve shifted the blame of
“identifier” allocations from the lexer to the parser. If the parser wants an
allocation, it’ll have to ask the lexer for it. But lets keep pushing forward
with the same benchmark (just remembering that once we integrate the lexer with
the parser, we’ll have allocations for identifiers).

With this change, our benchmark results look like this:

$ ruby -I lib test.rb benchmark/fixtures/negotiate.gql
Warming up --------------------------------------
                        35.000  i/100ms
Calculating -------------------------------------
                        360.209  (± 0.6%) i/s -      1.820k in   5.052764s
{:ALLOCATIONS=>1915}


We went from 322 IPS to 360 IPS, and from 10k allocations down to about 2k
allocations.


PUNCTUATION LOOKUP TABLE

Unfortunately we’ve still got two lines in the tokenizer that are doing
allocations:

    when s = @scan.scan(PUNCTUATION) then PUNCTUATION_TABLE[s]
    when s = @scan.scan(KW_RE)       then KW_TABLE[s]


Let’s tackle the punctuation line first. We still extract a string from the
scanner in order to do a hash lookup to find the symbol name for the token. We
need the string ")" so that we can map it to the symbol :RPAREN. One interesting
feature about these punctuation characters is that they are all only one byte
and thus limited to values between 0 - 255. Instead of extracting a substring,
we can get the byte at the current scanner position, then use the byte as an
array index. If there is a value at that index in the array, then we know we’ve
found a token.

First we’ll build the lookup table like this:

  PUNCTUATION_TABLE = Literals.constants.each_with_object([]) { |n, o|
    o[Literals.const_get(n).ord] = n
  }


This will create an array. The array will have a symbol at the index
corresponding to the byte value of our punctuation. Any other index will return
nil. And since we’re only dealing with one byte, we know the maximum value can
only ever be 255. The code below gives us a sample of how this lookup table
works:

  '()ab'.bytes.each do |byte|
    p PUNCTUATION_TABLE[byte]
  end


The output is like this:

$ ruby -I lib test.rb benchmark/fixtures/negotiate.gql
:LPAREN
:RPAREN
nil
nil


We can use the pos method on the StringScanner object to get our current cursor
position (no allocation), then use that information to extract a byte from the
string (also no allocation). If the byte has a value in the lookup table, we
know we’ve found a token and we can push the StringScanner forward one byte.

After incorporating the punctuation lookup table, our next_token method looks
like this:

  def next_token
    @scan.skip(IGNORE)

    return if @scan.eos?

    case
    when @scan.skip(ELLIPSIS)        then :ELLIPSIS
    when tok = PUNCTUATION_TABLE[@doc.getbyte(@scan.pos)] then
      # If the byte at the current position is inside our lookup table, push
      # the scanner position forward 1 and return the token
      @scan.pos += 1
      tok
    when s = @scan.scan(KW_RE)       then KW_TABLE[s]
    when @scan.skip(IDENTIFIER)      then :IDENTIFIER
    when @scan.skip(FLOAT)           then :FLOAT
    when @scan.skip(INT)             then :INT
    else
      @scan.getch
      :UNKNOWN_CHAR
    end
  end


Rerunning our benchmarks gives us these results:

$ ruby -I lib test.rb benchmark/fixtures/negotiate.gql
Warming up --------------------------------------
                        46.000  i/100ms
Calculating -------------------------------------
                        459.031  (± 1.1%) i/s -      2.300k in   5.011232s
{:ALLOCATIONS=>346}


We’ve gone from 360 IPS up to 459 IPS, and from about 2k allocations down to
only 350 allocations.


PERFECT HASHES AND GRAPHQL KEYWORDS

We have one more line in our lexer that is allocating objects:

    when s = @scan.scan(KW_RE)       then KW_TABLE[s]


This line is allocating objects because it needs to map the keyword it found in
the source to a symbol:

>> Lexer::KW_TABLE["query"]
=> :QUERY
>> Lexer::KW_TABLE["schema"]
=> :SCHEMA


It would be great if we had a hash table that didn’t require us to extract a
string from the source document. And that’s exactly what we’re going to build.

When this particular regular expression matches, we know that the lexer has
found 1 of the 19 keywords listed in the KW_TABLE, we just don’t know which one.
What we’d like to do is figure out which keyword matched, and do it without
allocating any objects.

Here is the list of 19 GraphQL keywords we could possibly match:

["on",
 "true",
 "null",
 "enum",
 "type",
 "input",
 "false",
 "query",
 "union",
 "extend",
 "scalar",
 "schema",
 "mutation",
 "fragment",
 "interface",
 "directive",
 "implements",
 "repeatable",
 "subscription"]


StringScanner#skip will return the length of the match, and we know that if the
length is 2 we unambiguously matched on, and if the length is 12 we
unambiguously matched subscription. So if the matched length is 2 or 12, we can
just return :ON or :SUBSCRIPTION. That leaves 17 other keywords we need to
disambiguate.

Of the 17 remaining keywords, the 2nd and 3rd bytes uniquely identify that
keyword:

>> (Lexer::KW_TABLE.keys - ["on", "subscription"]).length
=> 17
>> (Lexer::KW_TABLE.keys - ["on", "subscription"]).map { |w| w[1, 2] }
=> ["ra", "ru", "al", "ul", "ue", "ut", "ch", "ca", "yp", "xt", "mp", "nt", "ni", "nu", "np", "ir", "ep"]
>> (Lexer::KW_TABLE.keys - ["on", "subscription"]).map { |w| w[1, 2] }.uniq.length
=> 17


We can use these two bytes as a key to a hash table and design a “perfect hash”
to look up the right token. A perfect hash is a hash table where the possible
keys for the hash are known in advance, and the hashing function will never make
a collision. In other words, no two hash keys will result in the same bucket
index.

We know that the word we found is one of a limited set, so this seems like a
good application for a perfect hash.


BUILDING A PERFECT HASH

A perfect hash function uses a pre-computed “convenient” constant that let us
uniquely identify each key, but also limit the hash table to a small size.
Basically we have a function like this:

def _hash key
  (key * SOME_CONSTANT) >> 27 & 0x1f
end


But we must figure out the right constant to use such that each entry in our
perfect hash gets a unique bucket index. We’re going to use the upper 5 bits of
a “32 bit integer” (it’s not actually 32 bits, we’re just going to treat it that
way) to find our hash key. The reason we’re going to use 5 bits is because we
have 17 keys, and 17 can’t fit in 4 bits. To find the value of SOME_CONSTANT,
we’re just going to use a brute force method.

First lets convert the two bytes from each GraphQL keyword to a 16 bit integer:

>> keys = (Lexer::KW_TABLE.keys - ["on", "subscription"]).map { |w| w[1, 2].unpack1("s") }
=> [24946, 30066, 27745, 27765, 25973, 29813, 26723, 24931, 28793, 29816, 28781, 29806, 26990, 30062, 28782, 29289, 28773]


Next we’re going to use a brute force method to find a constant value such that
we can convert these 16 bit numbers in to unique 5 bit numbers:

>> c = 13
=> 13
?> loop do
?>   z = keys.map { |k| ((k * c) >> 27) & 0x1f }
?>   break if z.uniq.length == z.length
?>   c += 1
>> end
=> nil
>> c
=> 18592990


We start our search at 13. Our loop tries applying the hashing function to all
keys. If the hashing function returns unique values for all keys, then we found
the right value for c, otherwise we increment c by one and try the next number.

After this loop finishes (it takes a while), we check c and that’s the value for
our perfect hash!

Now we can write our hashing function like this:

def _hash key
  (key * 18592990) >> 27 & 0x1f
end


This function will return a unique value based on the 2nd and 3rd bytes of each
GraphQL keyword. Lets prove that to ourselves in IRB:

?> def _hash key
?>   (key * 18592990) >> 27 & 0x1f
>> end
=> :_hash
>> keys = (Lexer::KW_TABLE.keys - ["on", "subscription"]).map { |w| w[1, 2].unpack1("s") }
=> [24946, 30066, 27745, 27765, 25973, 29813, 26723, 24931, 28793, 29816, 28781, 29806, 26990, 30062, 28782, 29289, 28773]
>> keys.map { |key| _hash(key) }
=> [31, 5, 3, 6, 14, 1, 21, 29, 20, 2, 18, 0, 26, 4, 19, 25, 17]


We’ll use these integers as an index in to an array that stores the symbol name
associated with that particular keyword:

>> # Get a list of the array indices for each keyword
=> nil
>> array_indexes = keys.map { |key| _hash(key) }
=> [31, 5, 3, 6, 14, 1, 21, 29, 20, 2, 18, 0, 26, 4, 19, 25, 17]
>> # Insert a symbol in to an array at each index
=> nil
>> table = kws.zip(array_indexes).each_with_object([]) { |(kw, key),o| o[key] = kw.upcase.to_sym }
=> 
[:INTERFACE,
...


Now we have a table we can use to look up the symbol for a particular keyword
given the keyword’s 2nd and 3rd bytes.


TAKE A BREATHER

I think this is getting a little complicated so I want to step back and take a
breather. What we’ve done so far is write a function that, given the 2nd and 3rd
bytes of a string returns an index to an array.

Let’s take the keyword interface as an example. The 2nd and 3rd bytes are nt:

>> "interface"[1, 2]
=> "nt"


We can use unpack1 to convert nt in to a 16 bit integer:

>> "interface"[1, 2].unpack1("s")
=> 29806


Now we pass that integer to our hashing function (I called it _hash in IRB):

>> _hash("interface"[1, 2].unpack1("s"))
=> 0


And now we have the array index where to find the :INTERFACE symbol:

>> table[_hash("interface"[1, 2].unpack1("s"))]
=> :INTERFACE


This will work for any of the strings we used to build the perfect hash
function. Lets try a few:

>> table[_hash("union"[1, 2].unpack1("s"))]
=> :UNION
>> table[_hash("scalar"[1, 2].unpack1("s"))]
=> :SCALAR
>> table[_hash("repeatable"[1, 2].unpack1("s"))]
=> :REPEATABLE



INTEGRATING THE PERFECT HASH IN TO THE LEXER

We’ve built our hash table and hash function, so the next step is to add them to
the lexer:

  KW_TABLE = [:INTERFACE, :MUTATION, :EXTEND, :FALSE, :ENUM, :TRUE, :NULL,
              nil, nil, nil, nil, nil, nil, nil, :QUERY, nil, nil, :REPEATABLE,
              :IMPLEMENTS, :INPUT, :TYPE, :SCHEMA, nil, nil, nil, :DIRECTIVE,
              :UNION, nil, nil, :SCALAR, nil, :FRAGMENT]

  def _hash key
    (key * 18592990) >> 27 & 0x1f
  end


Remember we derived the magic constant 18592990 earlier via brute force.

In the next_token method, we need to extract the 2nd and 3rd bytes of the
keyword, combine them to a 16 bit int, use the _hash method to convert the 16
bit int to a 5 bit array index, then look up the symbol (I’ve omitted the rest
of the next_token method):

    when len = @scan.skip(KW_RE) then
      # Return early if uniquely identifiable via length
      return :ON if len == 2
      return :SUBSCRIPTION if len == 12

      # Get the position of the start of the keyword in the main document
      start = @scan.pos - len

      # Get the 2nd and 3rd byte of the keyword and combine to a 16 bit int
      key = (@doc.getbyte(start + 2) << 8) | @doc.getbyte(start + 1)

      # Get the array index
      index = _hash(key)

      # Return the symbol
      KW_TABLE[index]


We know the length of the token because it’s the return value of
StringScanner#skip. If the token is uniquely identifiable based on its length,
then we’ll return early. Otherwise, ask StringScanner for the cursor position
and then use the length to calculate the index of the beginning of the token
(remember StringScanner pushed the cursor forward when skip matched).

Once we have the beginning of the token, we’ll use getbyte (which doesn’t
allocate) to get the 2nd and 3rd bytes of the keyword. Then we’ll combine the
two bytes to a 16 bit int. Finally we pass the int to the hash function and use
the return value of the hash function to look up the token symbol in the array.

Let’s check our benchmarks now!

$ ruby -I lib test.rb benchmark/fixtures/negotiate.gql
Warming up --------------------------------------
                        46.000  i/100ms
Calculating -------------------------------------
                        468.978  (± 0.4%) i/s -      2.346k in   5.002449s
{:ALLOCATIONS=>3}


We went from 459 IPS up to 468 IPS, and from 346 allocations down to 3
allocations. 1 allocation for the Lexer object, 1 allocation for the
StringScanner object, and 1 allocation for ????

Actually, if we run the allocation benchmark twice we’ll get different results:

require "benchmark/ips"

def allocations
  x = GC.stat(:total_allocated_objects)
  yield
  GC.stat(:total_allocated_objects) - x
end

def go doc
  lexer = Lexer.new doc
  while tok = lexer.next_token
  end
end

doc = ARGF.read

Benchmark.ips { |x| x.report { go doc } }
p ALLOCATIONS: allocations { go doc }
p ALLOCATIONS: allocations { go doc }


Output is this:

$ ruby -I lib test.rb benchmark/fixtures/negotiate.gql
Warming up --------------------------------------
                        46.000  i/100ms
Calculating -------------------------------------
                        465.071  (± 0.6%) i/s -      2.346k in   5.044626s
{:ALLOCATIONS=>3}
{:ALLOCATIONS=>2}


Ruby uses GC allocated objects to store some inline caches. Since it was the
first time we called the allocations method, a new inline cache was allocated,
and that dinged us. We’re actually able to tokenize this entire document with
only 2 allocations: the lexer and the string scanner.


ONE MORE HACK

Lets do one more trick. We want to reduce the number of method calls the scanner
makes as much as we can. The case / when statement in next_token checks each
when statement one at a time. One trick I like to do is rearrange the statements
so that the most popular tokens come first.

If we tokenize our benchmark program and tally up all of the tokens that come
out, it looks like this:

>> lexer = Lexer.new File.read "benchmark/fixtures/negotiate.gql"
=> 
#<Lexer:0x0000000105c33c90
...
>> list = []
=> []
?> while tok = lexer.next_token
?>   list << tok
>> end
=> nil
>> list.tally
=> {:QUERY=>1, :IDENTIFIER=>2976, :LPAREN=>15, :VAR_SIGN=>6, :COLON=>56, :BANG=>1,
    :RPAREN=>15, :LCURLY=>738, :RCURLY=>738, :ELLIPSIS=>350, :ON=>319, :INT=>24,
    :TYPE=>4, :INPUT=>1, :FRAGMENT=>18}


From this data, it looks like ELLIPSIS tokens aren’t as popular as punctuation
or IDENTIFIER tokens. Yet we’re always checking for ELLIPSIS tokens first. Lets
move the ELLIPSIS check below the identifier check. This makes looking for
ELLIPSIS more expensive, but it makes finding punctuation and identifiers
cheaper. Since punctuation and identifiers occur more frequently in our
document, we should get a speedup.

I applied this patch:

diff --git a/test.rb b/test.rb
index ac147c2..275b8ba 100644
--- a/test.rb
+++ b/test.rb
@@ -59,7 +59,6 @@ class Lexer
     return if @scan.eos?
 
     case
-    when @scan.skip(ELLIPSIS)        then :ELLIPSIS
     when tok = PUNCTUATION_TABLE[@doc.getbyte(@scan.pos)] then
       # If the byte at the current position is inside our lookup table, push
       # the scanner position forward 1 and return the token
@@ -78,6 +77,7 @@ class Lexer
 
       KW_TABLE[_hash(key)]
     when @scan.skip(IDENTIFIER)      then :IDENTIFIER
+    when @scan.skip(ELLIPSIS)        then :ELLIPSIS
     when @scan.skip(FLOAT)           then :FLOAT
     when @scan.skip(INT)             then :INT
     else


Now when we rerun the benchmark, we get this:

$ ruby -I lib test.rb benchmark/fixtures/negotiate.gql
Warming up --------------------------------------
                        48.000  i/100ms
Calculating -------------------------------------
                        486.798  (± 0.4%) i/s -      2.448k in   5.028884s
{:ALLOCATIONS=>3}
{:ALLOCATIONS=>2}


Great, we went from 465 IPS to 486 IPS!


CONCLUSION

The lexer we started with tokenized the 80kb GraphQL document at 211 IPS, and
where we left off it was running at 486 IPS. More than a 2x speed improvement!

Our starting lexer allocated over 20k objects, and when we finished we got it
down to just 2 objects. Of course the parser may ask the lexer to allocate
something, but we know that we’re only allocating the bare minimum. In fact, if
the parser only records positional offsets, it could very well never ask the
lexer to allocate anything!

When I’m doing this stuff I try to use as many tricks as possible for increasing
speed. But I think the biggest and best payoffs come from trying to think about
the problem from a higher level and adjust the problem space itself. Converting
next_token to return only a symbol rather than a tuple cut our object
allocations by more than half. Questioning the code’s design itself is much
harder, but I think reaps a greater benefit.

Anyway, these are hacks I like to use! If you want to play around with the lexer
we’ve been building in this post, I’ve put the source code here.

I hope you enjoyed this, and have a good day!


BITMAP MATRIX AND UNDIRECTED GRAPHS IN RUBY

Posted last year

I’ve been working my way through Engineering a Compiler. I really enjoy the
book, but one part has you build an interference graph for doing register
allocation via graph coloring. An interference graph is an undirected graph, and
one way you can represent an undirected graph is with a bitmap matrix.

A bitmap matrix is just a matrix but the values in the matrix can only be 1 or
0. If every node in your graph maps to an index, you can use the bitmap matrix
to represent edges in the graph.

I made a bitmap matrix implementation that I like, but I think the code is too
trivial to put in a Gem. Here is the code I used:

class BitMatrix
  def initialize size
    @size = size
    size = (size + 7) & -8 # round up to the nearest multiple of 8
    @row_bytes = size / 8
    @buffer = "\0".b * (@row_bytes * size)
  end

  def initialize_copy other
    @buffer = @buffer.dup
  end

  def set x, y
    raise IndexError if y >= @size || x >= @size

    x, y = [y, x].sort

    row = x * @row_bytes
    column_byte = y / 8
    column_bit = 1 << (y % 8)

    @buffer.setbyte(row + column_byte, @buffer.getbyte(row + column_byte) | column_bit)
  end

  def set? x, y
    raise IndexError if y >= @size || x >= @size

    x, y = [y, x].sort

    row = x * @row_bytes
    column_byte = y / 8
    column_bit = 1 << (y % 8)

    (@buffer.getbyte(row + column_byte) & column_bit) != 0
  end

  def each_pair
    return enum_for(:each_pair) unless block_given?

    @buffer.bytes.each_with_index do |byte, i|
      row = i / @row_bytes
      column = i % @row_bytes
      8.times do |j|
        if (1 << j) & byte != 0
          yield [row, (column * 8) + j]
        end
      end
    end
  end

  def to_dot
    "graph g {\n" + each_pair.map { |x, y| "#{x} -- #{y};" }.join("\n") + "\n}"
  end
end


I like this implementation because all bits are packed in to a binary string.
Copying the matrix is trivial because we just have to dup the string. Memory
usage is much smaller than if every node in the graph were to store an actual
reference to other nodes.

Anyway, this was fun to write and I hope someone finds it useful!


VIM, TMUX, AND FISH

Posted last year

I do most of my text editing with MacVim, but when I pair with people I like to
use tmate. tmate is just an easy way to connect tmux sessions with a remote
person. But this means that I go from coding in a GUI to coding in a terminal.
Normally this wouldn’t be a problem, but I had made a Fish alias that would open
the MacVim GUI every time I typed vim in the terminal. Of course when I’m
pairing via tmate, the other people cannot see the GUI, so I would have to
remember a different command to open Vim.

Today I did about 10min of research to fix this problem and came up with the
following Fish command:

$ cat .config/fish/functions/vim.fish 
function vim --wraps='vim' --description 'open Vim'
  if set -q TMUX # if we're in a TMUX session, open in terminal
    command vim $argv
  else
    # Otherwise open macvim
    open -a MacVim $argv; 
  end
end


All it does is open terminal Vim if I’m in a TMUX session, otherwise it opens
the MacVim GUI.

Instead of putting up with this frustration for such a long time, I should have
taken the 10 min required to fix the situation. This was a good reminder for me,
and hopefully I’ll be better about it in the future!


IN MEMORY OF A GIANT

Posted last year

The Ruby community has lost a giant. As a programmer, I always feel as if I’m
standing on the shoulders of giants. Chris Seaton was one of those giants.

I’ve been working at the same company as Chris for the past 2 years. However, I
first met him through the open source world many years ago. He was working on a
Ruby implementation called TruffleRuby, and got his PhD in Ruby. Can you believe
that? A PhD in Ruby? I’d never heard of such a thing. My impression was that
nobody in academia cared about Ruby, but here was Chris, the Ruby Doctor. I was
impressed.


PATIENCE

As a college dropout, I’ve always felt underqualified. Embarrassment about my
lack of knowledge and credentials has driven me to study hard on my own time.
But Chris never once made me feel out of place. Any time I had questions,
without judgement, he would take the time to explain things to me.

I’ve always looked up to Chris. I was at a bar in London with a few coworkers.
We started talking about age, and I found out that Chris was much younger than
me. I said “You’re so smart and accomplished! How can I possibly catch up to
you?” Chris said “Don’t worry, I’ll just tell you everything I know!”




PUNS

My team is fully remote, so every Friday we have a team meeting over video to
just hang out and talk about stuff. Eventually I’ll make a really great pun,
most people will sigh, Kevin Menard will get angry, and Chris would just be
straight faced. No reaction from Chris. Every. Single. Time.

One time, someone asked Chris “do you know that he’s making a joke? Or do you
just not think it’s funny?” Chris responded “I know he’s making a pun, I just
don’t react because I don’t want to encourage him.” I said “This just encourages
me more because now I feel challenged!”

I wish I had tried harder because now I’ll never get that reaction.


KINDNESS

My last conversation with Chris was Thursday December 1st at RubyConf in
Houston. We all went to dinner at a Ramen shop. I find British English to be
extremely adorable, so any time I hear fun British phrases in the news I always
ask my British coworkers about it. The latest one was “Wonky Veg” so I asked
Chris if he’d been buying any at the store. He said no, but that one of his
favorite things to do was find weird things at the local supermarket, take
photos of it, then share with his coworkers. He flipped through photos on his
phone, showing me pics of him shopping with his daughter. Some of the products
he showed me were quite funny and we both had a good laugh.




MEMORY

I feel honored to have had the opportunity to work with Chris.

I feel grateful for the time that we had together.

I feel angry that I can’t learn more from him.

I feel sad that he is gone from my life.

Chris was an important part of the community, his family, and his country. I
will never forget the time I spent with Chris, a Giant.


CROSS PLATFORM MACHINE CODE

Posted 2 years ago

I hate writing if statements.

I’ve been working on a couple different assemblers for Ruby. Fisk is a pure Ruby
x86 assembler. You can use it to generate bytes that can be executed on x86
machines. AArch64 is a pure Ruby ARM64 assembler. You can use it to generate
bytes that can be executed on ARM64 machines.

Both of these libraries just generate bytes that can be interpreted by their
respective processors. Unfortunately you can’t just generate bytes and expect
the CPU to execute them. You first need to put the bytes in executable memory
before you can hand them off to the CPU for execution. Executable memory is
basically the same thing regardless of CPU architecture, so I decided to make a
library called JITBuffer that encapsulates executable memory manipulation.

To use the JITBuffer, you write platform specific bytes to the buffer, then give
the buffer to the CPU for execution. Here is an example on the ARM64 platform:

require "aarch64"
require "jit_buffer"
require "fiddle"

asm = AArch64::Assembler.new

# Make some instructions.  These instructions simply
# return the value 0xF00DCAFE
asm.pretty do
  asm.movz x0, 0xCAFE
  asm.movk x0, 0xF00D, lsl(16)
  asm.ret
end

# Write the bytes to executable memory:
buf = JITBuffer.new(4096)
buf.writeable!
asm.write_to buf
buf.executable!

# Point the CPU at the executable memory
func = Fiddle::Function.new(buf.to_i, [], -Fiddle::TYPE_INT)
p func.call.to_s(16) # => "f00dcafe"


The example uses the AArch64 gem to assemble ARM64 specific bytes, the JITBuffer
gem to allocate executable memory, and the Fiddle gem to point the CPU at the
executable memory and run it.

Tests are important I guess, so I thought it would be a good idea to write tests
for the JITBuffer gem. My goal for the test is to ensure that it’s actually
possible to execute the bytes in the buffer itself. I’m not a huge fan of stubs
or mocks and I try to avoid them if possible, so I wanted to write a test that
would actually execute the bytes in the buffer. I also want the test to be
“cross platform” (where “cross platform” means “works on x86_64 and ARM64”).

Writing a test like this would mean writing something like the following:

def test_can_execute
  buf = JITBuffer.new(4096)

  platform = figure_out_what_platform_we_are_on()
  if platform == "arm64"
    # write arm64 specific bytes
    buf.write(...)
  else
    # write x86_64 specific bytes
    buf.write(...)
  end

  # Use fiddle to execute
end


As I said at the start though, I hate writing if statements, and I’d rather
avoid it if possible. In addition, how do you reliably figure out what platform
you’re executing on? I really don’t want to figure that out. Not to mention, I
just don’t think this code is cool.

My test requirements:

 * No if statements
 * Self contained (I don’t want to shell out or use other libraries)
 * Must have pizzazz

Since machine code is just bytes that the CPU interprets, it made me wonder “is
there a set of bytes that execute both on an x86_64 CPU and an ARM64 CPU?” It
turns out there are, and I want to walk through them here.


X86_64 INSTRUCTIONS

First lets look at the x86_64 instructions we’ll execute. Below is the assembly
code (in Intel syntax):

.start:
  mov rax, 0x2b ; put 0x2b in the rax register
  ret           ; return from the function
  jmp start     ; jump to .start


This assembly code puts the value 0x2b in the rax register and returns from the
current “C” function. I put “C” in quotes because we’re writing assembly code,
but the assembly code is conforming to the C calling convention and we’ll treat
it as if it’s a C function when we call it. The x86 C calling convention states
that the value in the rax register is the “return value” of the C function. So
we’ve created a function that returns 0x2b. At the end of the code there is a
jmp instruction that jumps to the start of this sequence. However, since we
return from the function before getting to the jump, the jump is never used (or
is it?????)

Machine code is just bytes, and here are the bytes for the above x86 machine
code:

0x48 0xC7 0xC0 0x2b 0x00 0x00 0x00  ; mov rax, 0x2b
0xC3                                ; ret
0xEB 0xF6                           ; jmp start


x86 uses a “variable width” encoding, meaning that the number of bytes each
instruction uses can vary. In this example, the mov instruction used 7 bytes,
and the ret instruction used 1 byte. This means that the jmp instruction is the
9th byte, or offset 8.


ARM64 INSTRUCTIONS

Below are some ARM64 instructions we can execute:

movz X11, 0x7b7 ; put 0x7b7 in the X11 register
movz X0, 0x2b   ; put 0x2b in the X0 register
ret             ; return from the function


This machine code puts the value 0x7b7 in to the register X11. Then it puts the
value 0x2b in the X0 register. The third instruction returns from the function.
Again we are abiding by the C calling convention, but this time on the ARM64
platform. On the ARM64 platform, the value stored in X0 is the return value. So
the above machine code will return the value 0x2b to the caller just like the
x86_64 machine code did.

Here are the bytes that represent the above ARM64 machine code:

0xEB 0xF6 0x80 0xD2  ; movz X11, 0x7b7
0x60 0x05 0x80 0xD2  ; movz X0, 0x2b
0xC0 0x03 0x5F 0xD6  ; ret


ARM64 uses fixed width instructions. All instructions on ARM64 are 32 bits wide.


CROSS PLATFORM MACHINE CODE

Lets look at the byte blocks next to each other:

; x86_64 bytes
0x48 0xC7 0xC0 0x2b 0x00 0x00 0x00  ; mov rax, 0x2b
0xC3                                ; ret
0xEB 0xF6                           ; jmp start


; ARM64 bytes
0xEB 0xF6 0x80 0xD2  ; movz X11, 0x7b7
0x60 0x05 0x80 0xD2  ; movz X0, 0x2b
0xC0 0x03 0x5F 0xD6  ; ret


Looking at the bytes, you’ll notice that the first two bytes of the ARM64 code
(0xEB 0xF6) are exactly the same as the last two bytes of the x86_64 code. The
first movz instruction in the ARM64 code was specially crafted as to have the
same bytes as the last jmp instruction in the x86 code.

If we combine these bytes, then tell the CPU to execute starting at a particular
offset, then the interpretation of the bytes will change depending on the CPU,
but the result is the same.

Here are the bytes combined:

          0x48 0xC7 0xC0 0x2b 0x00 0x00 0x00  ; mov rax, 0x2b
          0xC3                                ; ret
start ->  0xEB 0xF6 0x80 0xD2                 ; (jmp start, or movz X11, 0x7b7)
          0x60 0x05 0x80 0xD2                 ; movz X0, 0x2b
          0xC0 0x03 0x5F 0xD6                 ; ret


Regardless of platform, we’ll tell the CPU to start executing from offset 8 in
the byte buffer. If it’s an x86 CPU, it will interpret the bytes as a jump,
execute the top bytes, return at the ret, and ignore the rest of the bytes in
the buffer (as they are never reached). If it’s an ARM64 machine, then it will
interpret the bytes as “put 0x7b7 in the X11 register” and continue, never
seeing the x86 specific bytes at the start of the buffer.

Both x86_64 and ARM64 platforms will return the same value 0x2b.

Now we can write a test without if statements like this:

def test_execute
  # Cross platform bytes
  bytes = [0x48, 0xc7, 0xc0, 0x2b, 0x00, 0x00, 0x00, # x86_64 mov rax, 0x2b
           0xc3,                                     # x86_64 ret
           0xeb, 0xf6,                               # x86 jmp
           0x80, 0xd2,                               # ARM movz X11, 0x7b7
           0x60, 0x05, 0x80, 0xd2,                   # ARM movz X0, #0x2b
           0xc0, 0x03, 0x5f, 0xd6]                   # ARM ret

  # Write them to the buffer
  jit = JITBuffer.new(4096)
  jit.writeable!
  jit.write bytes.pack("C*")
  jit.executable!

  # start at offset 8
  offset = 8
  func = Fiddle::Function.new(jit.to_i + offset, [], Fiddle::TYPE_INT)

  # Check the return value
  assert_equal 0x2b, func.call
end


So simple!

So cool!

Tons of pizzazz!

This test will execute machine code on both x86_64 as well as ARM64 and the
machine code will return the same value. Not to mention, there’s no way RuboCop
or Flay could possibly complain about this code. 🤣

I hope this inspires you to try writing cross platform machine code. This code
only supports 2 platforms, but it does make me wonder how far we could stretch
this and how many platforms we could support.

Anyway, hope you have a good day!


HOMEBREW, ROSETTA, AND RUBY

Posted 2 years ago

Hi everyone! I finally upgraded to an M1. It’s really really great, but the main
problem is that some projects I work on like TenderJIT and YJIT only really work
on x86_64 and these new M1 machines use ARM chips. Fortunately we can run x86_64
software via Rosetta, so we can still do development work on x86 specific
software.

I’ve seen some solutions for setting up a dev environment that uses Rosetta, but
I’d like to share what I did.


INSTALLING HOMEBREW

I think most people recommend that you install two different versions of
Homebrew, one that targets ARM, and the other that targets x86.

So far, I’ve found this to be the best solution, so I went with it. Just do the
normal Homebrew installation for ARM like this:

$ /bin/bash -c "$(curl -fsSL https://raw.githubusercontent.com/Homebrew/install/HEAD/install.sh)"


Then run the installer again under Rosetta like this:

$ arch -x86_64 /bin/bash -c "$(curl -fsSL https://raw.githubusercontent.com/Homebrew/install/master/install.sh)"


After doing this, I ended up with a Homebrew installation in /opt/homebrew (the
ARM version), and another installation in /usr/local (the x86 version).


CONFIGURING YOUR TERMINAL

I read many places on the web that recommend you duplicate terminal, then rename
it and modify the renamed version to run under Rosetta.

I really didn’t like this solution. The problem for me is that I’d end up with
two different terminal icons when doing cmd-tab, and I really can’t be bothered
to read whether the terminal is the Rosetta one or not. It makes switching to
the right terminal take way too long.

Instead I decided to make my shell figure out what architecture I’m using, then
update $PATH depending on whether I’m using x86 or ARM. To accomplish this, I
installed Fish (I use Fish shell) in both the x86 and ARM installations of
Homebrew:

$ /opt/homebrew/bin/brew install fish
$ arch -x86_64 /usr/local/bin/brew install fish


If you’re not using Fish you don’t need to do this step. 😆

Next is the “interesting” part. In my config.fish, I added this:

if test (arch) = "i386"
  set HOMEBREW_PREFIX /usr/local
else
  set HOMEBREW_PREFIX /opt/homebrew
end

# Add the Homebrew prefix to $PATH. -m flag ensures it's at the beginning
# of the path since the path might already be in $PATH (just not at the start)
fish_add_path -m --path $HOMEBREW_PREFIX/bin

alias intel 'arch -x86_64 /usr/local/bin/fish'


The arch command will tell you which architecture you’re on. If I’m on i386, set
the Homebrew prefix to /usr/local, otherwise set it to /opt/homebrew. Then use
fish_add_path to prepend the Homebrew prefix to my $PATH environment variable.
The -m switch moves the path to the front if $PATH already contained the path
I’m trying to add.

Finally I added an alias intel that just starts a new shell but under Rosetta.
So my default workflow is to open a terminal under ARM, and if I need to work on
an intel project, just run intel.


HOW DO I KNOW MY CURRENT ARCHITECTURE?

The arch command will tell you the current architecture, but I don’t want to run
that every time I want to verify my current architecture. My solution was to add
an emoji to my prompt. I don’t like adding more text to my prompt, but this
seems important enough to warrant the addition.

My fish_prompt function looks like this:

function fish_prompt --description 'Write out the prompt'
    if not set -q __fish_prompt_normal
        set -g __fish_prompt_normal (set_color normal)
    end

    if not set -q __fish_prompt_cwd
        set -g __fish_prompt_cwd (set_color $fish_color_cwd)
    end

    if test (arch) = "i386"
      set emote 🧐
    else
      set emote 💪
    end

    echo -n -s "[$USER" @ (prompt_hostname) $emote ' ' "$__fish_prompt_cwd" (prompt_pwd) (__fish_vcs_prompt) "$__fish_prompt_normal" ']$ '
end


If I’m on ARM, the prompt will have an 💪 emoji, and if I’m on x86, the prompt
will have a 🧐 emoji.

Just to give an example, here is a sample session in my terminal:

Last login: Fri Jan  7 12:37:59 on ttys001
Welcome to fish, the friendly interactive shell
[aaron@tc-lan-adapter💪 ~]$ which brew
/opt/homebrew/bin/brew
[aaron@tc-lan-adapter💪 ~]$ arch
arm64
[aaron@tc-lan-adapter💪 ~]$ intel
Welcome to fish, the friendly interactive shell
[aaron@tc-lan-adapter🧐 ~]$ which brew
/usr/local/bin/brew
[aaron@tc-lan-adapter🧐 ~]$ arch
i386
[aaron@tc-lan-adapter🧐 ~]$ exit
[aaron@tc-lan-adapter💪 ~]$ arch
arm64
[aaron@tc-lan-adapter💪 ~]$ which brew
/opt/homebrew/bin/brew
[aaron@tc-lan-adapter💪 ~]$


Now I can easily switch back and forth between x86 and ARM and my prompt tells
me which I’m using.


RUBY WITH CHRUBY

My Ruby dev environment is still a work in progress. I use chruby for changing
Ruby versions. The problem is that all Ruby versions live in the same directory.
chruby doesn’t know the difference between ARM versions and x86 versions. So for
now I’m adding the architecture name to the directory:

[aaron@tc-lan-adapter💪 ~]$ chruby
   ruby-3.0.2
   ruby-arm64
   ruby-i386
   ruby-trunk
[aaron@tc-lan-adapter💪 ~]$


So I have to be careful which Ruby I switch to. I’ve filed a ticket on
ruby-install, and I think we can make this nicer.

Specifically I’d like to add a subfolder in ~/.rubies for each architecture,
then point chruby at the right subfolder depending on my current architecture.
Essentially the same trick I used for $PATH and Homebrew, but for pointing
chruby at the right place given my current architecture.

For now I just have to be careful though!

One huge caveat for Fish users is that the current version of chruby-fish is
broken such that changes to $PATH end up getting lost (see this issue).

To work around that issue, I’m using @ioquatix’s fork of chruby-fish which can
be found here. I just checked out that version of chruby-fish in my git project
folder and added this to my config.fish:

# Point Fish at our local checkout of chruby-fish
set fish_function_path $fish_function_path $HOME/git/chruby-fish/share/fish/vendor_functions.d



CONCLUSION

Getting a dev environment up and running with Rosetta wasn’t too bad, but I
think having the shell fix up $PATH is a better solution than having two copies
of Terminal.app

The scripts I presented here were all Fish specific, but I don’t think it should
be too hard to translate them to whatever shell you use.

Anyway, I hope you have a good weekend!


PUBLISHING GEMS WITH YOUR YUBIKEY

Posted 2 years ago

The recent compromise of ua-parser-js has put the security and trust of
published packages at the top of my mind lately. In order to mitigate the risk
of any Ruby Gems I manage from being hijacked, I enabled 2FA on my RubyGems.org
account. This means that whenever I publish a Ruby Gem, I have to enter a one
time passcode.

I have to admit, I find this to be a pain. Whenever I do a release of Rails, I
have to enter a passcode over and over again because you can only push one Gem
at a time.

Finally I’ve found a way to deal with this. I can maintain account security and
also not be hassled with OTP codes again, thanks to my YubiKey.

This is just a short post about how to set up your YubiKey as an authenticator
for RubyGems.org, and how to publish Gems without getting an OTP prompt.


INSTALL YKMAN

ykman is a command line utility for interacting with your YubiKey. I installed
it on my Mac with Homebrew:

$ brew install ykman



SET UP 2FA AS USUAL

If you already have 2FA enabled, you’ll have to temporarily disable it.

Just go through the normal 2FA setup process and when you’re presented with a QR
code, you’ll use the text key to configure your YubiKey.

Just do:

$ ykman oath accounts add -t -o TOTP rubygems.org:youremail@example.org 123456


But use your email address and replace 123456 with the code you got from
RubyGems.org. The -t flag will require you to touch the YubiKey when you want to
generate an OTP.


GENERATE AN OTP

You can now generate an OTP like this:

$ ykman oath accounts code -s rubygems.org



PUBLISHING A GEM WITHOUT OTP PROMPTS

You can supply an OTP code to the gem interface via an environment variable or a
command line argument.

The environment variable version is like this:

$ GEM_HOST_OTP_CODE=$(ykman oath accounts code -s rubygems.org) gem push cool-gem-0.0.0.gem


The command line argument is like this:

$ gem push cool-gem-0.0.0.gem --otp $(ykman oath accounts code -s rubygems.org)


I’ve used the environment variable version, but not the command line argument
though.


FINAL THOUGHTS

I also did this for NPM, but I haven’t tried pushing a package yet so I’ll see
how that goes. I don’t really have any other thoughts except that everyone
should enable 2FA so that we can prevent situations like ua-parser-js. I’m not
particularly interested in installing someone’s Bitcoin miner on my machine, and
I’m also not interested in being hassled because my package was hijacked.

Everyone, please stay safe and enable 2FA!

–Aaron

<3 <3


DEBUGGING AN ASSERTION ERROR IN RUBY

Posted 3 years ago

I hope nobody runs in to a problem where they need the information in this post,
but in case you do, I hope this post is helpful. (I’m talking to you, future
Aaron! lol)

I committed a patch to Ruby that caused the tests to start failing. This was the
patch:

commit 1be84e53d76cff30ae371f0b397336dee934499d
Author: Aaron Patterson <tenderlove@ruby-lang.org>
Date:   Mon Feb 1 10:42:13 2021 -0800

    Don't pin `val` passed in to `rb_define_const`.
    
    The caller should be responsible for holding a pinned reference (if they
    need that)

diff --git a/variable.c b/variable.c
index 92d7d11eab..ff4f7964a7 100644
--- a/variable.c
+++ b/variable.c
@@ -3154,7 +3154,6 @@ rb_define_const(VALUE klass, const char *name, VALUE val)
     if (!rb_is_const_id(id)) {
        rb_warn("rb_define_const: invalid name `%s' for constant", name);
     }
-    rb_gc_register_mark_object(val);
     rb_const_set(klass, id, val);
 }


This patch is supposed to allow objects passed in to rb_define_const to move. As
the commit message says, the caller should be responsible for keeping the value
pinned. At the time I committed the patch, I thought that most callers of the
function were marking the value passed in (as val), so we were pinning objects
that something else would already pin. In other words, this code was being
wasteful by chewing up GC time by pinning objects that were already pinned.

Unfortunately the CI started to error shortly after I committed this patch.
Clearly the patch was related, but how?

In this post I am going to walk through the debugging tricks I used to find the
error.


REPRODUCTION

I was able to reproduce the error on my Linux machine by running the same
command CI ran. Unfortunately since this bug is related to GC, the error was
intermittent. To reproduce it, I just ran the tests in a loop until the process
crashed like this:

$ while test $status -eq 0
    env RUBY_TESTOPTS='-q --tty=no' make -j16 -s check
  end


Before running this loop though, I made sure to do ulimit -c unlimited so that I
would get a core file when the process crashed.


THE ERROR

After the process crashed, the top of the error looked like this:

<OBJ_INFO:rb_ractor_confirm_belonging@./ractor_core.h:327> 0x000055be8657f180 [0     ] T_NONE 
/home/aaron/git/ruby/lib/bundler/environment_preserver.rb:47: [BUG] id == 0 but not shareable
ruby 3.1.0dev (2021-02-03T17:35:37Z master 6b4814083b) [x86_64-linux]


The Ractor verification routines crashed the process because a T_NONE object is
“not sharable”. In other words you can’t share an object of type T_NONE between
Ractors. This makes sense because T_NONE objects are actually empty slots in the
GC. If a Ractor, or any other Ruby code sees a T_NONE object, then it’s clearly
an error. Only the GC internals should ever be dealing with this type.

The top of the C backtrace looked like this:

-- C level backtrace information -------------------------------------------
/home/aaron/git/ruby/ruby(rb_print_backtrace+0x14) [0x55be856e9816] vm_dump.c:758
/home/aaron/git/ruby/ruby(rb_vm_bugreport) vm_dump.c:1020
/home/aaron/git/ruby/ruby(bug_report_end+0x0) [0x55be854e2a69] error.c:778
/home/aaron/git/ruby/ruby(rb_bug_without_die) error.c:778
/home/aaron/git/ruby/ruby(rb_bug+0x7d) [0x55be854e2bb0] error.c:786
/home/aaron/git/ruby/ruby(rb_ractor_confirm_belonging+0x102) [0x55be856cf6e2] ./ractor_core.h:328
/home/aaron/git/ruby/ruby(vm_exec_core+0x4ff3) [0x55be856b0003] vm.inc:2224
/home/aaron/git/ruby/tool/lib/test/unit/parallel.rb(rb_vm_exec+0x886) [0x55be856c9946]
/home/aaron/git/ruby/ruby(load_iseq_eval+0xbb) [0x55be8554f66b] load.c:594
/home/aaron/git/ruby/ruby(require_internal+0x394) [0x55be8554e3e4] load.c:1065
/home/aaron/git/ruby/ruby(rb_require_string+0x973c4) [0x55be8554d8a4] load.c:1142
/home/aaron/git/ruby/ruby(rb_f_require) load.c:838
/home/aaron/git/ruby/ruby(vm_call_cfunc_with_frame+0x11a) [0x55be856dd6fa] ./vm_insnhelper.c:2897
/home/aaron/git/ruby/ruby(vm_call_method_each_type+0xaa) [0x55be856d4d3a] ./vm_insnhelper.c:3387
/home/aaron/git/ruby/ruby(vm_call_alias+0x87) [0x55be856d68e7] ./vm_insnhelper.c:3037
/home/aaron/git/ruby/ruby(vm_sendish+0x200) [0x55be856d08e0] ./vm_insnhelper.c:4498


The function rb_ractor_confirm_belonging was the function raising an exception.


DEBUGGING THE CORE FILE WITH LLDB

I usually use clang / lldb when debugging. I’ve added scripts to Ruby’s lldb
tools that let me track down problems more easily, so I prefer it over gcc /
gdb.

First I inspected the backtrace in the corefile:

(lldb) target create "./ruby" --core "core.456156"
Core file '/home/aaron/git/ruby/core.456156' (x86_64) was loaded.
(lldb) bt
* thread #1, name = 'ruby', stop reason = signal SIGABRT
  * frame #0: 0x00007fdc5fc8918b libc.so.6`raise + 203
    frame #1: 0x00007fdc5fc68859 libc.so.6`abort + 299
    frame #2: 0x000056362ac38bc6 ruby`die at error.c:765:5
    frame #3: 0x000056362ac38bb5 ruby`rb_bug(fmt=<unavailable>) at error.c:788:5
    frame #4: 0x000056362ae256e2 ruby`rb_ractor_confirm_belonging(obj=<unavailable>) at ractor_core.h:328:13
    frame #5: 0x000056362ae06003 ruby`vm_exec_core(ec=<unavailable>, initial=<unavailable>) at vm.inc:2224:5
    frame #6: 0x000056362ae1f946 ruby`rb_vm_exec(ec=<unavailable>, mjit_enable_p=<unavailable>) at vm.c:0
    frame #7: 0x000056362aca566b ruby`load_iseq_eval(ec=0x000056362b176710, fname=0x000056362ce96660) at load.c:594:5
    frame #8: 0x000056362aca43e4 ruby`require_internal(ec=<unavailable>, fname=<unavailable>, exception=1) at load.c:1065:21
    frame #9: 0x000056362aca38a4 ruby`rb_f_require [inlined] rb_require_string(fname=0x00007fdc38033178) at load.c:1142:18
    frame #10: 0x000056362aca3880 ruby`rb_f_require(obj=<unavailable>, fname=0x00007fdc38033178) at load.c:838
    frame #11: 0x000056362ae336fa ruby`vm_call_cfunc_with_frame(ec=0x000056362b176710, reg_cfp=0x00007fdc5f958de0, calling=<unavailable>) at vm_insnhelper.c:2897:11
    frame #12: 0x000056362ae2ad3a ruby`vm_call_method_each_type(ec=0x000056362b176710, cfp=0x00007fdc5f958de0, calling=0x00007ffe3b552128) at vm_insnhelper.c:3387:16
    frame #13: 0x000056362ae2c8e7 ruby`vm_call_alias(ec=0x000056362b176710, cfp=0x00007fdc5f958de0, calling=0x00007ffe3b552128) at vm_insnhelper.c:3037:12


It’s very similar to the backtrace in the crash report. The first thing that was
interesting to me was frame 5 in vm_exec_core. vm_exec_core is the main loop for
the YARV VM. This program was crashing when executing some kind of instruction
in the virtual machine.

(lldb) f 5
frame #5: 0x000056362ae06003 ruby`vm_exec_core(ec=<unavailable>, initial=<unavailable>) at vm.inc:2224:5
   2221	    /* ### Instruction trailers. ### */
   2222	    CHECK_VM_STACK_OVERFLOW_FOR_INSN(VM_REG_CFP, INSN_ATTR(retn));
   2223	    CHECK_CANARY(leaf, INSN_ATTR(bin));
-> 2224	    PUSH(val);
   2225	    if (leaf) ADD_PC(INSN_ATTR(width));
   2226	#   undef INSN_ATTR
   2227	
(lldb) 


Checking frame 5, we can see that it’s crashing when we push a value on to the
stack. The Ractor function checks the value of objects being pushed on the VM
stack, and in this case we have an object that is a T_NONE. The question is
where did this value come from?

The crash happened in the file vm.inc, line 2224. This file is a generated file,
so I can’t link to it, but I wanted to know which instruction was being
executed, so I pulled up that file.

Line 2224 happened to be inside the opt_send_without_block instruction. So
something is calling a method, and the return value of the method is a T_NONE
object.

But what method is being called, and on what object?


FINDING THE CALLED METHOD

The value ec, or “Execution Context” contains information about the virtual
machine at runtime. On the ec, we can find the cfp or “Control Frame Pointer”
which is a data structure representing the current executing stack frame. In
lldb, I could see that frame 7 had the ec available, so I went to that frame to
look at the cfp:

(lldb) f 7
frame #7: 0x000056362aca566b ruby`load_iseq_eval(ec=0x000056362b176710, fname=0x000056362ce96660) at load.c:594:5
   591 	        rb_ast_dispose(ast);
   592 	    }
   593 	    rb_exec_event_hook_script_compiled(ec, iseq, Qnil);
-> 594 	    rb_iseq_eval(iseq);
   595 	}
   596 	
   597 	static inline enum ruby_tag_type
(lldb) p *ec->cfp
(rb_control_frame_t) $1 = {
  pc = 0x000056362c095d58
  sp = 0x00007fdc5f859330
  iseq = 0x000056362ca051f0
  self = 0x000056362b1d92c0
  ep = 0x00007fdc5f859328
  block_code = 0x0000000000000000
  __bp__ = 0x00007fdc5f859330
}


The control frame pointer has a pointer to the iseq or “Instruction Sequence”
that is currently being executed. It also has a pc or “Program Counter”, and the
program counter usually points at the instruction that will be executed next (in
other words, not the currently executing instruction). Of other interest, the
iseq also has the source location that corresponds to those instructions.


GETTING THE SOURCE FILE

If we examine the iseq structure, we can find the source location of the code
that is currently being executed:

(lldb) p ec->cfp->iseq->body->location
(rb_iseq_location_t) $4 = {
  pathobj = 0x000056362ca06960
  base_label = 0x000056362ce95a30
  label = 0x000056362ce95a30
  first_lineno = 0x0000000000000051
  node_id = 137
  code_location = {
    beg_pos = (lineno = 40, column = 4)
    end_pos = (lineno = 50, column = 7)
  }
}
(lldb) command script import -r ~/git/ruby/misc/lldb_cruby.py
lldb scripts for ruby has been installed.
(lldb) rp 0x000056362ca06960
bits [     ]
T_STRING: [FROZEN] (const char [57]) $6 = "/home/aaron/git/ruby/lib/bundler/environment_preserver.rb"
(lldb) 


The location info clearly shows us that the instructions are on line 40. The
pathobj member contains the file name, but it is stored as a Ruby string. To
print out the string, I imported the lldb CRuby extensions, then used the rp
command and gave it the address of the path object.

From the output, we can see that it’s crashing in the “environment_preserver.rb”
file inside of the instructions that are defined on line 40. We’re not crashing
on line 40, but the instructions are defined there.

Those instructions are this method:

    def replace_with_backup
      ENV.replace(backup) unless Gem.win_platform?

      # Fallback logic for Windows below to workaround
      # https://bugs.ruby-lang.org/issues/16798. Can be dropped once all
      # supported rubies include the fix for that.

      ENV.clear

      backup.each {|k, v| ENV[k] = v }
    end


It’s still not clear which of these method calls is breaking. In this function
we have some method call that is returning a T_NONE.


FINDING THE METHOD CALL

To find the method call, I disassembled the instruction sequence and checked the
program counter:

(lldb) command script import -r misc/lldb_disasm.py
lldb Ruby disasm installed.
(lldb) rbdisasm ec->cfp->iseq
PC             IDX  insn_name(operands) 
0x56362c095c20 0000 opt_getinlinecache( 6, (struct iseq_inline_cache_entry *)0x56362c095ee0 )
0x56362c095c38 0003 putobject( (VALUE)0x14 )
0x56362c095c48 0005 getconstant( ID: 0x807b )
0x56362c095c58 0007 opt_setinlinecache( (struct iseq_inline_cache_entry *)0x56362c095ee0 )
0x56362c095c68 0009 opt_send_without_block( (struct rb_call_data *)0x56362c095f20 )
0x56362c095c78 0011 branchif( 15 )
0x56362c095c88 0013 opt_getinlinecache( 6, (struct iseq_inline_cache_entry *)0x56362c095ef0 )
0x56362c095ca0 0016 putobject( (VALUE)0x14 )
0x56362c095cb0 0018 getconstant( ID: 0x370b )
0x56362c095cc0 0020 opt_setinlinecache( (struct iseq_inline_cache_entry *)0x56362c095ef0 )
0x56362c095cd0 0022 putself
0x56362c095cd8 0023 opt_send_without_block( (struct rb_call_data *)0x56362c095f30 )
0x56362c095ce8 0025 opt_send_without_block( (struct rb_call_data *)0x56362c095f40 )
0x56362c095cf8 0027 pop
0x56362c095d00 0028 opt_getinlinecache( 6, (struct iseq_inline_cache_entry *)0x56362c095f00 )
0x56362c095d18 0031 putobject( (VALUE)0x14 )
0x56362c095d28 0033 getconstant( ID: 0x370b )
0x56362c095d38 0035 opt_setinlinecache( (struct iseq_inline_cache_entry *)0x56362c095f00 )
0x56362c095d48 0037 opt_send_without_block( (struct rb_call_data *)0x56362c095f50 )
0x56362c095d58 0039 pop
0x56362c095d60 0040 putself
0x56362c095d68 0041 opt_send_without_block( (struct rb_call_data *)0x56362c095f60 )
0x56362c095d78 0043 send( (struct rb_call_data *)0x56362c095f70, (rb_iseq_t *)0x56362ca05178 )
0x56362c095d90 0046 leave
(lldb) p ec->cfp->pc
(const VALUE *) $9 = 0x000056362c095d58


First I loaded the disassembly helper script. It provides the rbdisasm function.
Then I used rbdisasm on the instruction sequence. This printed out the
instructions in mostly human readable form. Printing the PC showed a value of
0x000056362c095d58. Looking at the PC list in the disassembly shows that
0x000056362c095d58 corresponds to a pop instruction. But the PC always points at
the next instruction that will execute, not the currently executing instruction.
The currently executing instruction is the one right before the PC. In this case
we can see it is opt_send_without_block, which lines up with the information we
discovered from vm.inc.

This is the 3rd from last method call in the block. At 0041 there is another
opt_send_without_block, and then at 0043 there is a generic send call.

Looking at the Ruby code, from the bottom of the method, we see a call to
backup. It’s not a local variable, so it must be a method call. The code calls
each on that, and each takes a block. These must correspond to the
opt_send_without_block and the send at the end of the instruction sequence. Our
crash is happening just before these two, so it must be the call to ENV.clear.

If we read the implementation of ENV.clear, we can see that it returns a global
variable called envtbl:

VALUE
rb_env_clear(void)
{
    VALUE keys;
    long i;

    keys = env_keys(TRUE);
    for (i=0; i<RARRAY_LEN(keys); i++) {
        VALUE key = RARRAY_AREF(keys, i);
        const char *nam = RSTRING_PTR(key);
        ruby_setenv(nam, 0);
    }
    RB_GC_GUARD(keys);
    return envtbl;
}


This object is allocated here:

    envtbl = rb_obj_alloc(rb_cObject);


And then it calls rb_define_global_const to define the ENV constant as a global:

    /*
     * ENV is a Hash-like accessor for environment variables.
     *
     * See ENV (the class) for more details.
     */
    rb_define_global_const("ENV", envtbl);


If we read rb_define_global_const we can see that it just calls rb_define_const:

void
rb_define_global_const(const char *name, VALUE val)
{
    rb_define_const(rb_cObject, name, val);
}


Before my patch, any object passed to rb_define_const would be pinned. Once I
removed the pinning, that allowed the ENV variable to move around even though it
shouldn’t.

I reverted that patch here, and then sent a pull request to make
rb_gc_register_mark_object a little bit smarter here.


CONCLUSION

TBH I don’t know what to conclude this with. Debugging errors kind of sucks, but
I hope that the LLDB scripts I wrote make it suck a little less. Hope you’re
having a good day!!!


ARCHIVES

Copyright © 2024 Tenderlovemaking.com All rights reserved.

Mastodon