blob: fa62c04d8784a53c4b4e97d6dc3060896c346d28 [file] [log] [blame] [view]
---
title: Go 1.25 Release Notes
---
<style>
main ul li { margin: 0.5em 0; }
</style>
## Introduction to Go 1.25 {#introduction}
The latest Go release, version 1.25, arrives in [August 2025](/doc/devel/release#go1.25.0), six months after [Go 1.24](/doc/go1.24).
Most of its changes are in the implementation of the toolchain, runtime, and libraries.
As always, the release maintains the Go 1 promise of compatibility.
We expect almost all Go programs to continue to compile and run as before.
## Changes to the language {#language}
<!-- go.dev/issue/70128 -->
There are no languages changes that affect Go programs in Go 1.25.
However, in the [language specification](/ref/spec) the notion of core types
has been removed in favor of dedicated prose.
See the respective [blog post](/blog/coretypes) for more information.
## Tools {#tools}
### Go command {#go-command}
The `go build` `-asan` option now defaults to doing leak detection at
program exit.
This will report an error if memory allocated by C is not freed and is
not referenced by any other memory allocated by either C or Go.
These new error reports may be disabled by setting
`ASAN_OPTIONS=detect_leaks=0` in the environment when running the
program.
<!-- go.dev/issue/71867 -->
The Go distribution will include fewer prebuilt tool binaries. Core
toolchain binaries such as the compiler and linker will still be
included, but tools not invoked by build or test operations will be built
and run by `go tool` as needed.
<!-- go.dev/issue/42965 -->
The new `go.mod` `ignore` [directive](/ref/mod#go-mod-file-ignore) can be used to
specify directories the `go` command should ignore. Files in these directories
and their subdirectories will be ignored by the `go` command when matching package
patterns, such as `all` or `./...`, but will still be included in module zip files.
<!-- go.dev/issue/68106 -->
The new `go doc` `-http` option will start a documentation server showing
documentation for the requested object, and open the documentation in a browser
window.
<!-- go.dev/issue/69712 -->
The new `go version -m -json` option will print the JSON encodings of the
`runtime/debug.BuildInfo` structures embedded in the given Go binary files.
<!-- go.dev/issue/34055 -->
The `go` command now supports using a subdirectory of a repository as the
path for a module root, when [resolving a module path](/ref/mod#vcs-find) using the syntax
`<meta name="go-import" content="root-path vcs repo-url subdir">` to indicate
that the `root-path` corresponds to the `subdir` of the `repo-url` with
version control system `vcs`.
<!-- go.dev/issue/71294 -->
The new `work` package pattern matches all packages in the work (formerly called main)
modules: either the single work module in module mode or the set of workspace modules
in workspace mode.
<!-- go.dev/issue/65847 -->
When the go command updates the `go` line in a `go.mod` or `go.work` file,
it [no longer](/ref/mod#go-mod-file-toolchain) adds a toolchain line
specifying the command's current version.
### Vet {#vet}
The `go vet` command includes new analyzers:
<!-- go.dev/issue/18022 -->
- [waitgroup](https://pkg.go.dev/golang.org/x/tools/go/analysis/passes/waitgroup),
which reports misplaced calls to [`sync.WaitGroup.Add`](/pkg/sync#WaitGroup.Add); and
<!-- go.dev/issue/28308 -->
- [hostport](https://pkg.go.dev/golang.org/x/tools/go/analysis/passes/hostport),
which reports uses of `fmt.Sprintf("%s:%d", host, port)` to
construct addresses for [`net.Dial`](/pkg/net#Dial), as these will not work with
IPv6; instead it suggests using [`net.JoinHostPort`](/pkg/net#JoinHostPort).
## Runtime {#runtime}
### Container-aware `GOMAXPROCS`
<!-- go.dev/issue/73193 -->
The default behavior of the `GOMAXPROCS` has changed. In prior versions of Go,
`GOMAXPROCS` defaults to the number of logical CPUs available at startup
([`runtime.NumCPU`](/pkg/runtime#NumCPU)). Go 1.25 introduces two changes:
1. On Linux, the runtime considers the CPU bandwidth limit of the cgroup
containing the process, if any. If the CPU bandwidth limit is lower than the
number of logical CPUs available, `GOMAXPROCS` will default to the lower
limit. In container runtime systems like Kubernetes, cgroup CPU bandwidth
limits generally correspond to the "CPU limit" option. The Go runtime does
not consider the "CPU requests" option.
2. On all OSes, the runtime periodically updates `GOMAXPROCS` if the number
of logical CPUs available or the cgroup CPU bandwidth limit change.
Both of these behaviors are automatically disabled if `GOMAXPROCS` is set
manually via the `GOMAXPROCS` environment variable or a call to
[`runtime.GOMAXPROCS`](/pkg/runtime#GOMAXPROCS). They can also be disabled explicitly with the [GODEBUG
settings](/doc/godebug) `containermaxprocs=0` and `updatemaxprocs=0`,
respectively.
In order to support reading updated cgroup limits, the runtime will keep cached
file descriptors for the cgroup files for the duration of the process lifetime.
### New experimental garbage collector
<!-- go.dev/issue/73581 -->
A new garbage collector is now available as an experiment. This garbage
collector's design improves the performance of marking and scanning small objects
through better locality and CPU scalability. Benchmark result vary, but we expect
somewhere between a 10—40% reduction in garbage collection overhead in real-world
programs that heavily use the garbage collector.
The new garbage collector may be enabled by setting `GOEXPERIMENT=greenteagc`
at build time. We expect the design to continue to evolve and improve. To that
end, we encourage Go developers to try it out and report back their experiences.
See the [GitHub issue](/issue/73581) for more details on the design and
instructions for sharing feedback.
### Trace flight recorder
<!-- go.dev/issue/63185 -->
[Runtime execution traces](/pkg/runtime/trace) have long provided a powerful,
but expensive way to understand and debug the low-level behavior of an
application. Unfortunately, because of their size and the cost of continuously
writing an execution trace, they were generally impractical for debugging rare
events.
The new [`runtime/trace.FlightRecorder`](/pkg/runtime/trace#FlightRecorder) API
provides a lightweight way to capture a runtime execution trace by continuously
recording the trace into an in-memory ring buffer. When a significant event
occurs, a program can call
[`FlightRecorder.WriteTo`](/pkg/runtime/trace#FlightRecorder.WriteTo) to
snapshot the last few seconds of the trace to a file. This approach produces a
much smaller trace by enabling applications to capture only the traces that
matter.
The length of time and amount of data captured by a
[`FlightRecorder`](/pkg/runtime/trace#FlightRecorder) may be configured within
the [`FlightRecorderConfig`](/pkg/runtime/trace#FlightRecorderConfig).
### Change to unhandled panic output
<!-- go.dev/issue/71517 -->
The message printed when a program exits due to an unhandled panic
that was recovered and repanicked no longer repeats the text of
the panic value.
Previously, a program which panicked with `panic("PANIC")`,
recovered the panic, and then repanicked with the original
value would print:
panic: PANIC [recovered]
panic: PANIC
This program will now print:
panic: PANIC [recovered, repanicked]
### VMA names on Linux
<!-- go.dev/issue/71546 -->
On Linux systems with kernel support for anonymous virtual memory area (VMA) names
(`CONFIG_ANON_VMA_NAME`), the Go runtime will annotate anonymous memory
mappings with context about their purpose. e.g., `[anon: Go: heap]` for heap
memory. This can be disabled with the [GODEBUG setting](/doc/godebug)
`decoratemappings=0`.
## Compiler {#compiler}
### `nil` pointer bug
<!-- https://go.dev/issue/72860, CL 657715 -->
This release fixes a [compiler bug](/issue/72860), introduced in Go 1.21, that
could incorrectly delay nil pointer checks. Programs like the following, which
used to execute successfully (incorrectly), will now (correctly) panic with a
nil-pointer exception:
```
package main
import "os"
func main() {
f, err := os.Open("nonExistentFile")
name := f.Name()
if err != nil {
return
}
println(name)
}
```
This program is incorrect because it uses the result of `os.Open` before
checking the error. If `err` is non-nil, then the `f` result may be nil, in
which case `f.Name()` should panic. However, in Go versions 1.21 through 1.24,
the compiler incorrectly delayed the nil check until *after* the error check,
causing the program to execute successfully, in violation of the Go spec. In Go
1.25, it will no longer run successfully. If this change is affecting your code,
the solution is to put the non-nil error check earlier in your code, preferably
immediately after the error-generating statement.
### DWARF5 support
<!-- https://go.dev/issue/26379 -->
The compiler and linker in Go 1.25 now generate debug information
using [DWARF version 5](https://dwarfstd.org/dwarf5std.html). The
newer DWARF version reduces the space required for debugging
information in Go binaries, and reduces the time for linking,
especially for large Go binaries.
DWARF 5 generation can be disabled by setting the environment
variable `GOEXPERIMENT=nodwarf5` at build time
(this fallback may be removed in a future Go release).
### Faster slices
<!-- CLs 653856, 657937, 663795, 664299 -->
The compiler can now allocate the backing store for slices on the
stack in more situations, which improves performance. This change has
the potential to amplify the effects of incorrect
[unsafe.Pointer](/pkg/unsafe#Pointer) usage, see for example [issue
73199](/issue/73199). In order to track down these problems, the
[bisect tool](https://pkg.go.dev/golang.org/x/tools/cmd/bisect) can be
used to find the allocation causing trouble using the
`-compile=variablemake` flag. All such new stack allocations can also
be turned off using `-gcflags=all=-d=variablemakehash=n`.
## Linker {#linker}
<!-- CL 660996 -->
The linker now accepts a `-funcalign=N` command line option, which
specifies the alignment of function entries.
The default value is platform-dependent, and is unchanged in this
release.
## Standard library {#library}
### New testing/synctest package
<!-- go.dev/issue/67434, go.dev/issue/73567 -->
The new [`testing/synctest`](/pkg/testing/synctest) package
provides support for testing concurrent code.
The [`Test`](/pkg/testing/synctest#Test) function runs a test function in an isolated
"bubble". Within the bubble, time is virtualized: [`time`](/pkg/time) package
functions operate on a fake clock and the clock moves forward instantaneously if
all goroutines in the bubble are blocked.
The [`Wait`](/pkg/testing/synctest#Wait) function waits for all goroutines in the
current bubble to block.
This package was first available in Go 1.24 under `GOEXPERIMENT=synctest`, with
a slightly different API. The experiment has now graduated to general
availability. The old API is still present if `GOEXPERIMENT=synctest` is set,
but will be removed in Go 1.26.
### New experimental encoding/json/v2 package {#json_v2}
Go 1.25 includes a new, experimental JSON implementation,
which can be enabled by setting the environment variable
`GOEXPERIMENT=jsonv2` at build time.
When enabled, two new packages are available:
- The [`encoding/json/v2`](/pkg/encoding/json/v2) package is
a major revision of the `encoding/json` package.
- The [`encoding/json/jsontext`](/pkg/encoding/json/jsontext) package
provides lower-level processing of JSON syntax.
In addition, when the "jsonv2" GOEXPERIMENT is enabled:
- The [`encoding/json`](/pkg/encoding/json) package
uses the new JSON implementation.
Marshaling and unmarshaling behavior is unaffected,
but the text of errors returned by package function may change.
- The [`encoding/json`](/pkg/encoding/json) package contains
a number of new options which may be used
to configure the marshaler and unmarshaler.
The new implementation performs substantially better than
the existing one under many scenarios. In general,
encoding performance is at parity between the implementations
and decoding is substantially faster in the new one.
See the [github.com/go-json-experiment/jsonbench](https://github.com/go-json-experiment/jsonbench)
repository for more detailed analysis.
See the [proposal issue](/issue/71497) for more details.
We encourage users of [`encoding/json`](/pkg/encoding/json) to test
their programs with `GOEXPERIMENT=jsonv2` enabled to help detect
any compatibility issues with the new implementation.
We expect the design of [`encoding/json/v2`](/pkg/encoding/json/v2)
to continue to evolve. We encourage developers to try out the new
API and provide feedback on the [proposal issue](/issue/71497).
### Minor changes to the library {#minor_library_changes}
#### [`archive/tar`](/pkg/archive/tar/)
The [`Writer.AddFS`](/pkg/archive/tar#Writer.AddFS) implementation now supports symbolic links
for filesystems that implement [`io/fs.ReadLinkFS`](/pkg/io/fs#ReadLinkFS).
#### [`encoding/asn1`](/pkg/encoding/asn1/)
[`Unmarshal`](/pkg/encoding/asn1#Unmarshal) and [`UnmarshalWithParams`](/pkg/encoding/asn1#UnmarshalWithParams)
now parse the ASN.1 types T61String and BMPString more consistently. This may
result in some previously accepted malformed encodings now being rejected.
#### [`crypto`](/pkg/crypto/)
[`MessageSigner`](/pkg/crypto#MessageSigner) is a new signing interface that can
be implemented by signers that wish to hash the message to be signed themselves.
A new function is also introduced, [`SignMessage`](/pkg/crypto#SignMessage),
which attempts to upgrade a [`Signer`](/pkg/crypto#Signer) interface to
[`MessageSigner`](/pkg/crypto#MessageSigner), using the
[`MessageSigner.SignMessage`](/pkg/crypto#MessageSigner.SignMessage) method if
successful, and [`Signer.Sign`](/pkg/crypto#Signer.Sign) if not. This can be
used when code wishes to support both [`Signer`](/pkg/crypto#Signer) and
[`MessageSigner`](/pkg/crypto#MessageSigner).
Changing the `fips140` [GODEBUG setting](/doc/godebug) after the program has started is now a no-op.
Previously, it was documented as not allowed, and could cause a panic if changed.
SHA-1, SHA-256, and SHA-512 are now slower on amd64 when AVX2 instructions are not available.
All server processors (and most others) produced since 2015 support AVX2.
#### [`crypto/ecdsa`](/pkg/crypto/ecdsa/)
The new [`ParseRawPrivateKey`](/pkg/crypto/ecdsa#ParseRawPrivateKey),
[`ParseUncompressedPublicKey`](/pkg/crypto/ecdsa#ParseUncompressedPublicKey),
[`PrivateKey.Bytes`](/pkg/crypto/ecdsa#PrivateKey.Bytes), and
[`PublicKey.Bytes`](/pkg/crypto/ecdsa#PublicKey.Bytes) functions and methods
implement low-level encodings, replacing the need to use
[`crypto/elliptic`](/pkg/crypto/elliptic) or [`math/big`](/pkg/math/big)
functions and methods.
When FIPS 140-3 mode is enabled, signing is now four times faster, matching the
performance of non-FIPS mode.
#### [`crypto/ed25519`](/pkg/crypto/ed25519/)
When FIPS 140-3 mode is enabled, signing is now four times faster, matching the
performance of non-FIPS mode.
#### [`crypto/elliptic`](/pkg/crypto/elliptic/)
The hidden and undocumented `Inverse` and `CombinedMult` methods on some
[`Curve`](/pkg/crypto/elliptic#Curve) implementations have been removed.
#### [`crypto/rsa`](/pkg/crypto/rsa/)
[`PublicKey`](/pkg/crypto/rsa#PublicKey) no longer claims that the modulus value
is treated as secret. [`VerifyPKCS1v15`](/pkg/crypto/rsa#VerifyPKCS1v15) and
[`VerifyPSS`](/pkg/crypto/rsa#VerifyPSS) already warned that all inputs are
public and could be leaked, and there are mathematical attacks that can recover
the modulus from other public values.
Key generation is now three times faster.
#### [`crypto/sha1`](/pkg/crypto/sha1/)
Hashing is now two times faster on amd64 when SHA-NI instructions are available.
#### [`crypto/sha3`](/pkg/crypto/sha3/)
The new [`SHA3.Clone`](/pkg/crypto/sha3#SHA3.Clone) method implements [`hash.Cloner`](/pkg/hash#Cloner).
Hashing is now two times faster on Apple M processors.
#### [`crypto/tls`](/pkg/crypto/tls/)
The new [`ConnectionState.CurveID`](/pkg/crypto/tls#ConnectionState.CurveID)
field exposes the key exchange mechanism used to establish the connection.
The new [`Config.GetEncryptedClientHelloKeys`](/pkg/crypto/tls#Config.GetEncryptedClientHelloKeys)
callback can be used to set the [`EncryptedClientHelloKey`](/pkg/crypto/tls#EncryptedClientHelloKey)s
for a server to use when a client sends an Encrypted Client Hello extension.
SHA-1 signature algorithms are now disallowed in TLS 1.2 handshakes, per
[RFC 9155](https://www.rfc-editor.org/rfc/rfc9155.html).
They can be re-enabled with the [GODEBUG setting](/doc/godebug) `tlssha1=1`.
When [FIPS 140-3 mode](/doc/security/fips140) is enabled, Extended Master Secret
is now required in TLS 1.2, and Ed25519 and X25519MLKEM768 are now allowed.
TLS servers now prefer the highest supported protocol version, even if it isn't
the client's most preferred protocol version.
<!-- CL 687855 -->
Both TLS clients and servers are now stricter in following the specifications
and in rejecting off-spec behavior. Connections with compliant peers should be
unaffected.
#### [`crypto/x509`](/pkg/crypto/x509/)
[`CreateCertificate`](/pkg/crypto/x509#CreateCertificate),
[`CreateCertificateRequest`](/pkg/crypto/x509#CreateCertificateRequest), and
[`CreateRevocationList`](/pkg/crypto/x509#CreateRevocationList) can now accept a
[`crypto.MessageSigner`](/pkg/crypto#MessageSigner) signing interface as well as
[`crypto.Signer`](/pkg/crypto#Signer). This allows these functions to use
signers which implement "one-shot" signing interfaces, where hashing is done as
part of the signing operation, instead of by the caller.
[`CreateCertificate`](/pkg/crypto/x509#CreateCertificate) now uses truncated
SHA-256 to populate the `SubjectKeyId` if it is missing.
The [GODEBUG setting](/doc/godebug) `x509sha256skid=0` reverts to SHA-1.
[`ParseCertificate`](/pkg/crypto/x509#ParseCertificate) now rejects certificates
which contain a BasicConstraints extension that contains a negative pathLenConstraint.
[`ParseCertificate`](/pkg/crypto/x509#ParseCertificate) now handles strings encoded
with the ASN.1 T61String and BMPString types more consistently. This may result in
some previously accepted malformed encodings now being rejected.
#### [`debug/elf`](/pkg/debug/elf/)
The [`debug/elf`](/pkg/debug/elf) package adds two new constants:
- [`PT_RISCV_ATTRIBUTES`](/pkg/debug/elf#PT_RISCV_ATTRIBUTES)
- [`SHT_RISCV_ATTRIBUTES`](/pkg/debug/elf#SHT_RISCV_ATTRIBUTES)
for RISC-V ELF parsing.
#### [`go/ast`](/pkg/go/ast/)
The [`FilterPackage`](/pkg/ast#FilterPackage), [`PackageExports`](/pkg/ast#PackageExports), and
[`MergePackageFiles`](/pkg/ast#MergePackageFiles) functions, and the [`MergeMode`](/pkg/go/ast#MergeMode) type and its
constants, are all deprecated, as they are for use only with the
long-deprecated [`Object`](/pkg/ast#Object) and [`Package`](/pkg/ast#Package) machinery.
The new [`PreorderStack`](/pkg/go/ast#PreorderStack) function, like [`Inspect`](/pkg/go/ast#Inspect), traverses a syntax
tree and provides control over descent into subtrees, but as a
convenience it also provides the stack of enclosing nodes at each
point.
#### [`go/parser`](/pkg/go/parser/)
The [`ParseDir`](/pkg/go/parser#ParseDir) function is deprecated.
#### [`go/token`](/pkg/go/token/)
The new [`FileSet.AddExistingFiles`](/pkg/go/token#FileSet.AddExistingFiles) method enables existing
[`File`](/pkg/go/token#File)s to be added to a [`FileSet`](/pkg/go/token#FileSet),
or a [`FileSet`](/pkg/go/token#FileSet) to be constructed for an arbitrary
set of [`File`](/pkg/go/token#File)s, alleviating the problems associated with a single global
[`FileSet`](/pkg/go/token#FileSet) in long-lived applications.
#### [`go/types`](/pkg/go/types/)
[`Var`](/pkg/go/types#Var) now has a [`Var.Kind`](/pkg/go/types#Var.Kind) method that classifies the variable as one
of: package-level, receiver, parameter, result, local variable, or
a struct field.
The new [`LookupSelection`](/pkg/go/types#LookupSelection) function looks up the field or method of a
given name and receiver type, like the existing [`LookupFieldOrMethod`](/pkg/go/types#LookupFieldOrMethod)
function, but returns the result in the form of a [`Selection`](/pkg/go/types#Selection).
#### [`hash`](/pkg/hash/)
The new [`XOF`](/pkg/hash#XOF) interface can be implemented by "extendable output
functions", which are hash functions with arbitrary or unlimited output length
such as [SHAKE](/pkg/crypto/sha3#SHAKE).
Hashes implementing the new [`Cloner`](/pkg/hash#Cloner) interface can return a copy of their state.
All standard library [`Hash`](/pkg/hash#Hash) implementations now implement [`Cloner`](/pkg/hash#Cloner).
#### [`hash/maphash`](/pkg/hash/maphash/)
The new [`Hash.Clone`](/pkg/hash/maphash#Hash.Clone) method implements [`hash.Cloner`](/pkg/hash#Cloner).
#### [`io/fs`](/pkg/io/fs/)
A new [`ReadLinkFS`](/pkg/io/fs#ReadLinkFS) interface provides the ability to read symbolic links in a filesystem.
#### [`log/slog`](/pkg/log/slog/)
[`GroupAttrs`](/pkg/log/slog#GroupAttrs) creates a group [`Attr`](/pkg/log/slog#Attr) from a slice of [`Attr`](/pkg/log/slog#Attr) values.
[`Record`](/pkg/log/slog#Record) now has a [`Source`](/pkg/log/slog#Record.Source) method,
returning its source location or nil if unavailable.
#### [`mime/multipart`](/pkg/mime/multipart/)
The new helper function [`FileContentDisposition`](/pkg/mime/multipart#FileContentDisposition) builds multipart
Content-Disposition header fields.
#### [`net`](/pkg/net/)
[`LookupMX`](/pkg/net#LookupMX) and [`Resolver.LookupMX`](/pkg/net#Resolver.LookupMX) now return DNS names that look
like valid IP address, as well as valid domain names.
Previously if a name server returned an IP address as a DNS name,
[`LookupMX`](/pkg/net#LookupMX) would discard it, as required by the RFCs.
However, name servers in practice do sometimes return IP addresses.
On Windows, [`ListenMulticastUDP`](/pkg/net#ListenMulticastUDP) now supports IPv6 addresses.
On Windows, it is now possible to convert between an [`os.File`](/pkg/os#File)
and a network connection. Specifically, the [`FileConn`](/pkg/net#FileConn),
[`FilePacketConn`](/pkg/net#FilePacketConn), and
[`FileListener`](/pkg/net#FileListener) functions are now implemented, and
return a network connection or listener corresponding to an open file.
Similarly, the `File` methods of [`TCPConn`](/pkg/net#TCPConn.File),
[`UDPConn`](/pkg/net#UDPConn.File), [`UnixConn`](/pkg/net#UnixConn.File),
[`IPConn`](/pkg/net#IPConn.File), [`TCPListener`](/pkg/net#TCPListener.File),
and [`UnixListener`](/pkg/net#UnixListener.File) are now implemented, and return
the underlying [`os.File`](/pkg/os#File) of a network connection.
#### [`net/http`](/pkg/net/http/)
The new [`CrossOriginProtection`](/pkg/net/http#CrossOriginProtection) implements protections against [Cross-Site
Request Forgery (CSRF)](https://developer.mozilla.org/en-US/docs/Web/Security/Attacks/CSRF) by rejecting non-safe cross-origin browser requests.
It uses [modern browser Fetch metadata](https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Sec-Fetch-Site), doesn't require tokens
or cookies, and supports origin-based and pattern-based bypasses.
#### [`os`](/pkg/os/)
On Windows, [`NewFile`](/pkg/os#NewFile) now supports handles opened for asynchronous I/O (that is,
[`syscall.FILE_FLAG_OVERLAPPED`](/pkg/syscall#FILE_FLAG_OVERLAPPED) is specified in the [`syscall.CreateFile`](/pkg/syscall#CreateFile) call).
These handles are associated with the Go runtime's I/O completion port,
which provides the following benefits for the resulting [`File`](/pkg/os#File):
- I/O methods ([`File.Read`](/pkg/os#File.Read), [`File.Write`](/pkg/os#File.Write), [`File.ReadAt`](/pkg/os#File.ReadAt), and [`File.WriteAt`](/pkg/os#File.WriteAt)) do not block an OS thread.
- Deadline methods ([`File.SetDeadline`](/pkg/os#File.SetDeadline), [`File.SetReadDeadline`](/pkg/os#File.SetReadDeadline), and [`File.SetWriteDeadline`](/pkg/os#File.SetWriteDeadline)) are supported.
This enhancement is especially beneficial for applications that communicate via named pipes on Windows.
Note that a handle can only be associated with one completion port at a time.
If the handle provided to [`NewFile`](/pkg/os#NewFile) is already associated with a completion port,
the returned [`File`](/pkg/os#File) is downgraded to synchronous I/O mode.
In this case, I/O methods will block an OS thread, and the deadline methods have no effect.
The filesystems returned by [`DirFS`](/pkg/os#DirFS) and [`Root.FS`](/pkg/os#Root.FS) implement the new [`io/fs.ReadLinkFS`](/pkg/io/fs#ReadLinkFS) interface.
[`CopyFS`](/pkg/os#CopyFS) supports symlinks when copying filesystems that implement [`io/fs.ReadLinkFS`](/pkg/io/fs#ReadLinkFS).
The [`Root`](/pkg/os#Root) type supports the following additional methods:
* [`Root.Chmod`](/pkg/os#Root.Chmod)
* [`Root.Chown`](/pkg/os#Root.Chown)
* [`Root.Chtimes`](/pkg/os#Root.Chtimes)
* [`Root.Lchown`](/pkg/os#Root.Lchown)
* [`Root.Link`](/pkg/os#Root.Link)
* [`Root.MkdirAll`](/pkg/os#Root.MkdirAll)
* [`Root.ReadFile`](/pkg/os#Root.ReadFile)
* [`Root.Readlink`](/pkg/os#Root.Readlink)
* [`Root.RemoveAll`](/pkg/os#Root.RemoveAll)
* [`Root.Rename`](/pkg/os#Root.Rename)
* [`Root.Symlink`](/pkg/os#Root.Symlink)
* [`Root.WriteFile`](/pkg/os#Root.WriteFile)
<!-- go.dev/issue/73126 is documented as part of 67002 -->
#### [`reflect`](/pkg/reflect/)
The new [`TypeAssert`](/pkg/reflect#TypeAssert) function permits converting a [`Value`](/pkg/reflect#Value) directly to a Go value
of the given type. This is like using a type assertion on the result of [`Value.Interface`](/pkg/reflect#Value.Interface),
but avoids unnecessary memory allocations.
#### [`regexp/syntax`](/pkg/regexp/syntax/)
The `\p{name}` and `\P{name}` character class syntaxes now accept the names
Any, ASCII, Assigned, Cn, and LC, as well as Unicode category aliases like `\p{Letter}` for `\pL`.
Following [Unicode TR18](https://unicode.org/reports/tr18/), they also now use
case-insensitive name lookups, ignoring spaces, underscores, and hyphens.
#### [`runtime`](/pkg/runtime/)
Cleanup functions scheduled by [`AddCleanup`](/pkg/runtime#AddCleanup) are now executed
concurrently and in parallel, making cleanups more viable for heavy
use like the [`unique`](/pkg/unique) package. Note that individual cleanups should
still shunt their work to a new goroutine if they must execute or
block for a long time to avoid blocking the cleanup queue.
A new `GODEBUG=checkfinalizers=1` setting helps find common issues with
finalizers and cleanups, such as those described [in the GC
guide](/doc/gc-guide#Finalizers_cleanups_and_weak_pointers).
In this mode, the runtime runs diagnostics on each garbage collection cycle,
and will also regularly report the finalizer and
cleanup queue lengths to stderr to help identify issues with
long-running finalizers and/or cleanups.
See the [GODEBUG documentation](https://pkg.go.dev/runtime#hdr-Environment_Variables)
for more details.
The new [`SetDefaultGOMAXPROCS`](/pkg/runtime#SetDefaultGOMAXPROCS) function sets `GOMAXPROCS` to the runtime
default value, as if the `GOMAXPROCS` environment variable is not set. This is
useful for enabling the [new `GOMAXPROCS` default](#container-aware-gomaxprocs) if it has been
disabled by the `GOMAXPROCS` environment variable or a prior call to
[`GOMAXPROCS`](/pkg/runtime#GOMAXPROCS).
#### [`runtime/pprof`](/pkg/runtime/pprof/)
The mutex profile for contention on runtime-internal locks now correctly points
to the end of the critical section that caused the delay. This matches the
profile's behavior for contention on `sync.Mutex` values. The
`runtimecontentionstacks` setting for `GODEBUG`, which allowed opting in to the
unusual behavior of Go 1.22 through 1.24 for this part of the profile, is now
gone.
#### [`sync`](/pkg/sync/)
The new [`WaitGroup.Go`](/pkg/sync#WaitGroup.Go) method
makes the common pattern of creating and counting goroutines more convenient.
#### [`testing`](/pkg/testing/)
The new methods [`T.Attr`](/pkg/testing#T.Attr), [`B.Attr`](/pkg/testing#B.Attr), and [`F.Attr`](/pkg/testing#F.Attr) emit an
attribute to the test log. An attribute is an arbitrary
key and value associated with a test.
For example, in a test named `TestF`,
`t.Attr("key", "value")` emits:
```
=== ATTR TestF key value
```
With the `-json` flag, attributes appear as a new "attr" action.
<!-- go.dev/issue/59928 -->
The new [`Output`](/pkg/testing#T.Output) method of [`T`](/pkg/testing#T), [`B`](/pkg/testing#B) and [`F`](/pkg/testing#F) provides an [`io.Writer`](/pkg/io#Writer)
that writes to the same test output stream as [`TB.Log`](/pkg/testing#TB.Log).
Like `TB.Log`, the output is indented, but it does not include the file and line number.
<!-- https://go.dev/issue/70464, CL 630137 -->
The [`AllocsPerRun`](/pkg/testing#AllocsPerRun) function now panics
if parallel tests are running.
The result of [`AllocsPerRun`](/pkg/testing#AllocsPerRun) is inherently
flaky if other tests are running.
The new panicking behavior helps catch such bugs.
#### [`testing/fstest`](/pkg/testing/fstest/)
[`MapFS`](/pkg/testing/fstest#MapFS) implements the new [`io/fs.ReadLinkFS`](/pkg/io/fs#ReadLinkFS) interface.
[`TestFS`](/pkg/testing/fstest#TestFS) will verify the functionality of the [`io/fs.ReadLinkFS`](/pkg/io/fs#ReadLinkFS) interface if implemented.
[`TestFS`](/pkg/testing/fstest#TestFS) will no longer follow symlinks to avoid unbounded recursion.
<!-- #### [`testing/synctest`](/pkg/testing/synctest/) mentioned above -->
#### [`unicode`](/pkg/unicode/)
The new [`CategoryAliases`](/pkg/unicode#CategoryAliases) map provides access to category alias names, such as “Letter” for “L”.
The new categories [`Cn`](/pkg/unicode#Cn) and [`LC`](/pkg/unicode#LC) define unassigned codepoints and cased letters, respectively.
These have always been defined by Unicode but were inadvertently omitted in earlier versions of Go.
The [`C`](/pkg/unicode#C) category now includes [`Cn`](/pkg/unicode#Cn), meaning it has added all unassigned code points.
#### [`unique`](/pkg/unique/)
The [`unique`](/pkg/unique) package now reclaims interned values more eagerly,
more efficiently, and in parallel. As a consequence, applications using
[`Make`](/pkg/unique#Make) are now less likely to experience memory blow-up when lots of
truly unique values are interned.
Values passed to [`Make`](/pkg/unique#Make) containing [`Handle`](/pkg/unique#Handle)s previously required multiple
garbage collection cycles to collect, proportional to the depth of the chain
of [`Handle`](/pkg/unique#Handle) values. Now, once
unused, they are collected promptly in a single cycle.
## Ports {#ports}
### Darwin
<!-- go.dev/issue/69839 -->
As [announced](/doc/go1.24#darwin) in the Go 1.24 release notes, Go 1.25 requires macOS 12 Monterey or later.
Support for previous versions has been discontinued.
### Windows
<!-- go.dev/issue/71671 -->
Go 1.25 is the last release that contains the [broken](/doc/go1.24#windows) 32-bit windows/arm port (`GOOS=windows` `GOARCH=arm`). It will be removed in Go 1.26.
### AMD64
<!-- go.dev/issue/71204 -->
In `GOAMD64=v3` mode or higher, the compiler will now use fused
multiply-add instructions to make floating-point arithmetic faster and
more accurate. This may change the exact floating-point values that a
program generates.
To avoid fusing use an explicit `float64` cast, like `float64(a*b)+c`.
### Loong64
<!-- CLs 533717, 533716, 543316, 604176 -->
The linux/loong64 port now supports the race detector, gathering traceback information from C code
using [`runtime.SetCgoTraceback`](/pkg/runtime#SetCgoTraceback), and linking cgo programs with the
internal link mode.
### RISC-V
<!-- CL 420114 -->
The linux/riscv64 port now supports the `plugin` build mode.
<!-- https://go.dev/issue/61476, CL 633417 -->
The `GORISCV64` environment variable now accepts a new value `rva23u64`,
which selects the RVA23U64 user-mode application profile.
<!--
Output from relnote todo that was generated and reviewed on 2025-05-23, plus summary info from bug/CL: -->
<!-- Items that don't need to be mentioned in Go 1.25 release notes but are picked up by relnote todo
Just updating old prposals
accepted proposal https://go.dev/issue/30999 (from https://go.dev/cl/671795)
accepted proposal https://go.dev/issue/36532 (from https://go.dev/cl/647555)
accepted proposal https://go.dev/issue/48429 (from https://go.dev/cl/648577)
accepted proposal https://go.dev/issue/51572 (from https://go.dev/cl/651996)
accepted proposal https://go.dev/issue/51430 (from https://go.dev/cl/644997, https://go.dev/cl/646355)
accepted proposal https://go.dev/issue/60905 (from https://go.dev/cl/645795)
accepted proposal https://go.dev/issue/61716 (from https://go.dev/cl/644475)
accepted proposal https://go.dev/issue/64876 (from https://go.dev/cl/649435)
accepted proposal https://go.dev/issue/70123 (from https://go.dev/cl/657116)
accepted proposal https://go.dev/issue/61901 (from https://go.dev/cl/647875)
accepted proposal https://go.dev/issue/64207 (from https://go.dev/cl/647015, https://go.dev/cl/652235)
accepted proposal https://go.dev/issue/70200 (from https://go.dev/cl/674916)
For subrepos:
accepted proposal https://go.dev/issue/53757 (from https://go.dev/cl/644575)
accepted proposal https://go.dev/issue/54743 (from https://go.dev/cl/532415)
accepted proposal https://go.dev/issue/57792 (from https://go.dev/cl/649716, https://go.dev/cl/651737)
accepted proposal https://go.dev/issue/58523 (from https://go.dev/cl/538235)
accepted proposal https://go.dev/issue/61537 (from https://go.dev/cl/531935)
accepted proposal https://go.dev/issue/61940 (from https://go.dev/cl/650235)
accepted proposal https://go.dev/issue/67839 (from https://go.dev/cl/646535)
accepted proposal https://go.dev/issue/68780 (from https://go.dev/cl/659835)
accepted proposal https://go.dev/issue/69095 (from https://go.dev/cl/649320, https://go.dev/cl/649321, https://go.dev/cl/649337, https://go.dev/cl/649376, https://go.dev/cl/649377, https://go.dev/cl/649378, https://go.dev/cl/649379, https://go.dev/cl/649380, https://go.dev/cl/649397, https://go.dev/cl/649398, https://go.dev/cl/649419, https://go.dev/cl/649497, https://go.dev/cl/649498, https://go.dev/cl/649618, https://go.dev/cl/649675, https://go.dev/cl/649676, https://go.dev/cl/649677, https://go.dev/cl/649695, https://go.dev/cl/649696, https://go.dev/cl/649697, https://go.dev/cl/649698, https://go.dev/cl/649715, https://go.dev/cl/649717, https://go.dev/cl/649718, https://go.dev/cl/649755, https://go.dev/cl/649775, https://go.dev/cl/649795, https://go.dev/cl/649815, https://go.dev/cl/649835, https://go.dev/cl/651336, https://go.dev/cl/651736, https://go.dev/cl/651737, https://go.dev/cl/658018)
accepted proposal https://go.dev/issue/70859 (from https://go.dev/cl/666056, https://go.dev/cl/670835, https://go.dev/cl/672015, https://go.dev/cl/672016, https://go.dev/cl/672017)
accepted proposal https://go.dev/issue/32816 (from https://go.dev/cl/645155, https://go.dev/cl/645455, https://go.dev/cl/645955, https://go.dev/cl/646255, https://go.dev/cl/646455, https://go.dev/cl/646495, https://go.dev/cl/646655, https://go.dev/cl/646875, https://go.dev/cl/647298, https://go.dev/cl/647299, https://go.dev/cl/647736, https://go.dev/cl/648581, https://go.dev/cl/648715, https://go.dev/cl/648976, https://go.dev/cl/648995, https://go.dev/cl/649055, https://go.dev/cl/649056, https://go.dev/cl/649057, https://go.dev/cl/649456, https://go.dev/cl/649476, https://go.dev/cl/650755, https://go.dev/cl/651615, https://go.dev/cl/651617, https://go.dev/cl/651655, https://go.dev/cl/653436)
-->
[cross-site request forgery (csrf)]: https://developer.mozilla.org/en-US/docs/Web/Security/Attacks/CSRF
[sec-fetch-site]: https://developer.mozilla.org/en-US/docs/Web/HTTP/Headers/Sec-Fetch-Site