将数字从一个范围重新映射到另一范围

Is there any equivalent in go for the Arduino map function?

map(value, fromLow, fromHigh, toLow, toHigh)

Description

Re-maps a number from one range to another. That is, a value of fromLow would get mapped to toLow, a value of fromHigh to toHigh, values in-between to values in-between, etc

If not, how would I implement this in go?

Is there any equivalent in go for the Arduino map function?

The standard library, or more specifically the math package, does not offer such a function, no.

If not, how would I implement this in go?

By taking the original code and translating it to Go. C and Go are very related syntactically and therefore this task is very, very easy. The manual page for map that you linked gives you the code. A translation to go is, as already mentioned, trivial.

Original from the page you linked:

For the mathematically inclined, here's the whole function

long map(long x, long in_min, long in_max, long out_min, long out_max)
{
  return (x - in_min) * (out_max - out_min) / (in_max - in_min) + out_min;
}

You would translate that to something like

func Map(x, in_min, in_max, out_min, out_max int64) int64 {
    return (x - in_min) * (out_max - out_min) / (in_max - in_min) + out_min
}

Here is an example on the go playground.

Note that map is not a valid function name in Go since there is already the map built-in type which makes map a reserved keyword. keyword for defining map types, similar to the []T syntax.