As was mentioned in the comments, there is no normality assumption about the features. It is common to assume a normal error term in linear regression, as this means that the OLS solution for the coefficient estimates is equivalent to maximum likelihood estimation of the regression coefficients and that the usual standard errors are correct, but even that does not require normality of the features.
It is a common misconception that the features should be normally distributed. I think this comes from the normal-errors assumption being abstract, so people make the mistake of assuming normal features.
Consequently, when you transform the features, there is no reason to expect that being normal gets you closer to some ideal that should result in higher performance. You aren’t assured of worse performance, either, but if you transform features that are roughly linearly related to $y$, you might wind up with a relationship between the transformed feature and $y$ that is not linear, and your linear model will miss such a relationship.
EDIT
A simulation shows this in action.
library(MASS)
set.seed(2024)
N <- 1000
x1 <- rchisq(N, 1) # Non-normal feature
x2 <- rchisq(N, 1) # Non-normal feature
e <- rnorm(N)
Ey <- x1 - x2
y <- Ey + e
t1 <- (x1)^(1/3) # Cube root is the Box-Cox transformation for chi-squared
t2 <- (x2)^(1/3) # https://stats.stackexchange.com/a/565868/247274
L1 <- lm(y ~ x1 + x2) # Fit to original features
L2 <- lm(y ~ t1 + t2) # Fit to transformed features
summary(L1)$r.squared # 0.7854019
summary(L2)$r.squared # 0.5932263
par(mfrow = c(2, 2))
plot(x1, y)
plot(x2, y)
plot(t1, y)
plot(t2, y)
par(mfrow = c(1, 1))
In the plots below, notice that transforming the features leads to a curved relationship between the features and the outcome that will not be captured by a linear regression unless such curvature is explicitly included in the model, such as with splines (or cubing the t features back to the original features that have a linear relationship with y).

MASSpackage forRas the functionboxcox. – whuber Jun 08 '22 at 12:49