How to extract the last digits of strings using regular expressions?

If that is the pattern that works for you for 2 digits, the only thing you would have to do is to make one of the digits optional using ?

L_\\d\\d?_

Regex demo | R demo


If you must match the whole pattern, you could use a capturing group and use anchors to assert the start ^ and the end $ of the string and use the group in the replacement.

^L_\\d\\d?_(\\d+)$

In parts

^      Start of string
L_     Match L_
\d     Match a digit
\d?    Match a digit and repeat 0 or 1 times
_      Match _
(      Capture group 1
  \d+  Match a digit and repeat 1 or more times
)      Close group
$      End of string

Regex demo | R demo

X <- c("L_1_3", "L_2_23", "L_3_91", "L_3_16")
gsub("^L_\\d\\d?_(\\d+)$", "\\1", X)

Output

[1] "3"  "23" "91" "16"

Here's an option with positive lookahead:

gsub(".+_(?=\\d+$)", "", X, perl = TRUE)
[1] "3"  "23" "91" "16"