NimbleParsec - Case Insensitive matches

Just started to use NimbleParsec, really nice!

Being a newbie I probably not understand how to best utilize it, but I really really miss a “case insensitive” option on string().

If I would like to match a word, eg "name" in a string, I would like to use the function string("name"). But if the string contains "NAME" or "Name", I will get no match.

I really need the original cases on the string, otherwise I would just use String.downcase, but this is not an option for me.

Any ideas how to best solve this?

utf8_char([?n, ?N])
|> utf8_char([?a, ?A])
|> utf8_char([?m, ?M])
|> utf8_char([?e, ?E])

You can also define your own combinator (case_insensitive("name")) that returns the above.

1 Like

I came here to ask the same question and see if there was a better solution than the one I already have - which is basically the same as the one outlined by @tmbb. I created a helper combinator for it which may help others searching for the same answer. Note my version assumes ASCII input only since that fits the problem domain I am working on.

  def anycase_string(string) do
    string
    |> String.upcase
    |> String.to_charlist
    |> Enum.reverse
    |> char_piper
    |> reduce({List, :to_string, []})
  end

  defp char_piper([c]) when c in ?A..?Z do
    c
    |> both_cases
    |> ascii_char
  end

  defp char_piper([c | rest]) when c in ?A..?Z do
    rest
    |> char_piper
    |> ascii_char(both_cases(c))
  end

  defp char_piper([c]) do
    ascii_char([c])
  end

  defp char_piper([c | rest]) do
    rest
    |> char_piper
    |> ascii_char([c])
  end

  defp both_cases(c) do
    [c, c + 32]
  end
1 Like