Do binary patterns declared in function heads have to have static sizes? It appears to be the case, but I can’t find documentation one way or the other.
More concretely, it is possible to match a binary with a “#” as the third byte like this:
Interestingly, flipping the order of the arguments to the function results in a slightly different error:
def foo(n, <<header::binary-size(n), "#", rest::binary>>), do: something()
** (CompileError) iex:46: undefined variable "n" in bitstring segment. If the size of the binary is a variable, the variable must be defined prior to its use in the binary/bitstring match itself, or outside the pattern match
That error message makes it seem like what I’m trying to do is not possible, but maybe I’m just missing something?
I assume this constraint is somehow related to the details of compiling function heads? Because inside of a function, I can pass a variable to the size macro:
def foo(str, n) do
case str do
<<header::binary-size(n), "#", rest::binary>> -> something()
end
end
You could achieve what you want by having a function that removes the head of the binary until it sees the character you care about, counting how many it removes. Then apply the conditional logic.
def foo(string) do
if parse_until(string, "#", 0) == 3 do
something()
else
raise "hell"
end
end
def parse_until(<<char::binary-size(1), rest::binary>>, char, previous_character_count) do
previous_character_count
end
def parse_until(<<_head::binary-size(1), rest::binary>>, char, previous_character_count) do
parse_until(rest, char, previous_character_count + 1)
end
This works because in Elixir if you use the same variable name for two different variables in a function head Elixir will try to match them and will only enter the function body if they are the same.