rethrow
statement.break
, continue
, rethrow
, return
or throw
.=
as well as :
as separator for named parameter default values.dart:core
: Set.difference
now takes a Set<Object>
as argument.
dart:developer
:
Dart Dev Compiler
loadLibrary()
on deferred libraries. Deferred libraries are still loaded eagerly. (#27343)Patch release, resolves one issue:
It is no longer a warning when casting from dynamic to a composite type (SDK issue 27766).
main() { dynamic obj = <int>[1, 2, 3]; // This is now allowed without a warning. List<int> list = obj; }
We have improved the way that the VM locates the native code library for a native extension (e.g. dart-ext:
import). We have updated this article on native extensions to reflect the VM's improved behavior.
Linux builds of the VM will now use the tcmalloc
library for memory allocation. This has the advantages of better debugging and profiling support and faster small allocations, with the cost of slightly larger initial memory footprint, and slightly slower large allocations.
We have improved the way the VM searches for trusted root certificates for secure socket connections on Linux. First, the VM will look for trusted root certificates in standard locations on the file system (/etc/pki/tls/certs/ca-bundle.crt
followed by /etc/ssl/certs
), and only if these do not exist will it fall back on the builtin trusted root certificates. This behavior can be overridden on Linux with the new flags --root-certs-file
and --root-certs-cache
. The former is the path to a file containing the trusted root certificates, and the latter is the path to a directory containing root certificate files hashed using c_rehash
.
The VM now throws a catchable Error
when method compilation fails. This allows easier debugging of syntax errors, especially when testing.
dart:core
: Remove deprecated Resource
class. Use the class in package:resource
instead.dart:async
Future.wait
now catches synchronous errors and returns them in the returned Future.Future
on Stream.cancel
operations. Discourages to return null
from cancel
.dart:io
WebSocket.addUtf8Text
to allow sending a pre-encoded text message without a round-trip UTF-8 conversion.Breaking change - it is an error if a generic type parameter cannot be inferred (SDK issue 26992).
class Cup<T> { Cup(T t); } main() { // Error because: // - if we choose Cup<num> it is not assignable to `cOfInt`, // - if we choose Cup<int> then `n` is not assignable to int. num n; C<int> cOfInt = new C(n); }
New feature - use @checked
to override a method and tighten a parameter type (SDK issue 25578).
import 'package:meta/meta.dart' show checked; class View { addChild(View v) {} } class MyView extends View { // this override is legal, it will check at runtime if we actually // got a MyView. addChild(@checked MyView v) {} } main() { dynamic mv = new MyView(); mv.addChild(new View()); // runtime error }
New feature - use @virtual
to allow field overrides in strong mode (SDK issue 27384).
import 'package:meta/meta.dart' show virtual; class Base { @virtual int x; } class Derived extends Base { int x; // Expose the hidden storage slot: int get superX => super.x; set superX(int v) { super.x = v; } }
Breaking change - infer list and map literals from the context type as well as their values, consistent with generic methods and instance creation (SDK issue 27151).
import 'dart:async'; main() async { var b = new Future<B>.value(new B()); var c = new Future<C>.value(new C()); var/*infer List<Future<A>>*/ list = [b, c]; var/*infer List<A>*/ result = await Future.wait(list); } class A {} class B extends A {} class C extends A {}
dartfmt
- upgraded to v0.2.10
--set-exit-if-changed
to set the exit code on a change.Pub
packages/
directory by default. Instead, it generates a .packages
file, called a package spec. To generate a packages/
directory in addition to the package spec, use the --packages-dir
flag with pub get
, pub upgrade
, and pub downgrade
.Patch release, resolves one issue:
dartfmt
- upgraded to v0.2.9+1
Pub
Added a --no-packages-dir
flag to pub get
, pub upgrade
, and pub downgrade
. When this flag is passed, pub will not generate a packages/
directory, and will remove that directory and any symlinks to it if they exist. Note that this replaces the unsupported --no-package-symlinks
flag.
Added the ability for packages to declare a constraint on the Flutter SDK:
environment: flutter: ^0.1.2 sdk: >=1.19.0 <2.0.0
A Flutter constraint will only be satisfiable when pub is running in the context of the flutter
executable, and when the Flutter SDK version matches the constraint.
Added sdk
as a new package source that fetches packages from a hard-coded SDK. Currently only the flutter
SDK is supported:
dependencies: flutter_driver: sdk: flutter version: ^0.0.1
A Flutter sdk
dependency will only be satisfiable when pub is running in the context of the flutter
executable, and when the Flutter SDK contains a package with the given name whose version matches the constraint.
tar
files on Linux are now created with 0
as the user and group IDs. This fixes a crash when publishing packages while using Active Directory.
Fixed a bug where packages from a hosted HTTP URL were considered the same as packages from an otherwise-identical HTTPS URL.
Fixed timer formatting for timers that lasted longer than a minute.
Eliminate some false negatives when determining whether global executables are on the user's executable path.
dart2js
dart2dart
(aka dart2js --output-type=dart
) has been removed (this was deprecated in Dart 1.11).New feature - an option to disable implicit casts (SDK issue 26583), see the documentation for usage instructions and examples.
New feature - an option to disable implicit dynamic (SDK issue 25573), see the documentation for usage instructions and examples.
Breaking change - infer generic type arguments from the constructor invocation arguments (SDK issue 25220).
var map = new Map<String, String>(); // infer: Map<String, String> var otherMap = new Map.from(map);
Breaking change - infer local function return type (SDK issue 26414).
void main() { // infer: return type is int f() { return 40; } int y = f() + 2; // type checks print(y); }
Breaking change - allow type promotion from a generic type parameter (SDK issue 26414).
void fn/*<T>*/(/*=T*/ object) { if (object is String) { // Treat `object` as `String` inside this block. // But it will require a cast to pass it to something that expects `T`. print(object.substring(1)); } }
Breaking change - smarter inference for Future.then (SDK issue 25944). Previous workarounds that use async/await or .then/*<Future<SomeType>>*/
should no longer be necessary.
// This will now infer correctly. Future<List<int>> t2 = f.then((_) => [3]); // This infers too. Future<int> t2 = f.then((_) => new Future.value(42));
Breaking change - smarter inference for async functions (SDK issue 25322).
void test() async { List<int> x = await [4]; // was previously inferred List<int> y = await new Future.value([4]); // now inferred too }
Breaking change - sideways casts are no longer allowed (SDK issue 26120).
Patch release, resolves two issues and improves performance:
Debugger: Fixes a bug that crashes the VM (SDK issue 26941)
VM: Fixes an optimizer bug involving closures, try, and await (SDK issue 26948)
Dart2js: Speeds up generated code on Firefox (https://codereview.chromium.org/2180533002)
dart:core
Uri.resolve
(SDK issue 26804).dart:io
FileLock.BLOCKING_SHARED
and FileLock.BLOCKING_EXCLUSIVE
.Patch release, resolves two issues:
VM: Fixes a bug that caused crashes in async functions. (SDK issue 26668)
VM: Fixes a bug that caused garbage collection of reachable weak properties. (https://codereview.chromium.org/2041413005)
dart:convert
ChunkedConverter
which was erroneously added in 1.16.dart:core
Uri.replace
supports iterables as values for the query parameters.Uri.parseIPv6Address
returns a Uint8List
.dart:io
NetworkInterface.listSupported
, which is true
when NetworkInterface.list
is supported, and false
otherwise. Currently, NetworkInterface.list
is not supported on Android.Pub
TAR files created while publishing a package on Mac OS and Linux now use a more portable format.
Errors caused by invalid arguments now print the full usage information for the command.
SDK constraints for dependency overrides are no longer considered when determining the total SDK constraint for a lockfile.
A bug has been fixed in which a lockfile was considered up-to-date when it actually wasn't.
A bug has been fixed in which pub get --offline
would crash when a prerelease version was selected.
Dartium and content shell
Patch release, resolves one issue:
dart:convert
Added BASE64URL
codec and corresponding Base64Codec.urlSafe
constructor.
Introduce ChunkedConverter
and deprecate chunked methods on Converter
.
dart:html
There have been a number of BREAKING changes to align APIs with recent changes in Chrome. These include:
Chrome's ShadowRoot
interface no longer has the methods getElementById
, getElementsByClassName
, and getElementsByTagName
, e.g.,
elem.shadowRoot.getElementsByClassName('clazz')
should become:
elem.shadowRoot.querySelectorAll('.clazz')
The clipboardData
property has been removed from KeyEvent
and Event
. It has been moved to the new ClipboardEvent
class, which is now used by copy
, cut
, and paste
events.
The layer
property has been removed from KeyEvent
and UIEvent
. It has been moved to MouseEvent
.
The Point get page
property has been removed from UIEvent
. It still exists on MouseEvent
and Touch
.
There have also been a number of other additions and removals to dart:html
, dart:indexed_db
, dart:svg
, dart:web_audio
, and dart:web_gl
that correspond to changes to Chrome APIs between v39 and v45. Many of the breaking changes represent APIs that would have caused runtime exceptions when compiled to Javascript and run on recent Chrome releases.
dart:io
SecurityContext.alpnSupported
, which is true if a platform supports ALPN, and false otherwise.For performance reasons, a potentially BREAKING change was added for libraries that use JS interop. Any Dart file that uses @JS
annotations on declarations (top-level functions, classes or class members) to interop with JavaScript code will require that the file have the annotation @JS()
on a library directive.
@JS() library my_library;
The analyzer will enforce this by generating the error:
The @JS()
annotation can only be used if it is also declared on the library directive.
If part file uses the @JS()
annotation, the library that uses the part should have the @JS()
annotation e.g.,
// library_1.dart @JS() library library_1; import 'package:js/js.dart'; part 'part_1.dart';
// part_1.dart part of library_1; @JS("frameworkStabilizers") external List<FrameworkStabilizer> get frameworkStabilizers;
If your library already has a JS module e.g.,
@JS('array.utils') library my_library;
Then your library will work without any additional changes.
Static checking of for in
statements. These will now produce static warnings:
// Not Iterable. for (var i in 1234) { ... } // String cannot be assigned to int. for (int n in <String>["a", "b"]) { ... }
Pub
pub serve
now provides caching headers that should improve the performance of requesting large files multiple times.
Both pub get
and pub upgrade
now have a --no-precompile
flag that disables precompilation of executables and transformed dependencies.
pub publish
now resolves symlinks when publishing from a Git repository. This matches the behavior it always had when publishing a package that wasn't in a Git repository.
Dart Dev Compiler
The experimental dartdevc
executable has been added to the SDK.
It will help early adopters validate the implementation and provide feedback. dartdevc
is not yet ready for production usage.
Read more about the Dart Dev Compiler here.
dart:async
StreamView
class a const
class.dart:core
Uri.queryParametersAll
to handle multiple query parameters with the same name.dart:io
SecurityContext.usePrivateKeyBytes
, SecurityContext.useCertificateChainBytes
, SecurityContext.setTrustedCertificatesBytes
, and SecurityContext.setClientAuthoritiesBytes
.directory
argument of SecurityContext.setTrustedCertificates
has been removed.SecurityContext
for PKCS12 certificate and key containers.SecurityContext
that accept certificate data now accept an optional named parameter password
, similar to SecurityContext.usePrivateKeyBytes
, for use as the password for PKCS12 data.Dartium and content shell
dart:html
, dart:svg
, etc) have not been updated.Element.animate
.dartfmt
- upgraded to v0.2.4
extensionRPCs
in Isolate
was not marked optional.Added support for configuration-specific imports. On the VM and dart2js
, they can be enabled with --conditional-directives
.
The analyzer requires additional configuration:
analyzer: language: enableConditionalDirectives: true
Read about configuring the analyzer for more details.
Patch release, resolves three issues:
VM: Fixed a code generation bug on x64. (SDK commit 834b3f02)
dart:io
: Fixed EOF detection when reading some special device files. (SDK issue 25596)
Pub: Fixed an error using hosted dependencies in SDK version 1.14. (Pub issue 1386)
Patch release, resolves one issue:
dart:async
Future.any
static method.Stream.fromFutures
constructor.dart:convert
Base64Decoder.convert
now takes optional start
and end
parameters.dart:core
current
getter to StackTrace
class.Uri
class added support for data URIsdataFromBytes
and dataFromString
.data
getter for data:
URIs with a new UriData
class for the return type.growable
parameter to List.filled
constructor.DateTime
: DateTime.microsecond
, DateTime.microsecondsSinceEpoch
, and new DateTime.fromMicrosecondsSinceEpoch
.dart:math
Random
added a secure
constructor returning a cryptographically secure random generator which reads from the entropy source provided by the embedder for every generated random value.dart:io
Platform
added a static isIOS
getter and Platform.operatingSystem
may now return ios
.Platform
added a static packageConfig
getter.compression
on the methods WebSocket.connect
, WebSocket.fromUpgradedSocket
, and WebSocketTransformer.upgrade
and the WebSocketTransformer
constructor can be used to modify or disable compression using the new CompressionOptions
class.dart:isolate
packageConfig
and packageRoot
instance getters to Isolate
.resolvePackageUri
method to Isolate
.packageConfig
and automaticPackageResolution
to the Isolate.spawnUri
constructor.dartfmt
Better line splitting in a variety of cases.
Other optimizations and bug fixes.
Pub
Breaking: Pub now eagerly emits an error when a pubspec's “name” field is not a valid Dart identifier. Since packages with non-identifier names were never allowed to be published, and some of them already caused crashes when being written to a .packages
file, this is unlikely to break many people in practice.
Breaking: Support for barback
versions prior to 0.15.0 (released July 2014) has been dropped. Pub will no longer install these older barback versions.
pub serve
now GZIPs the assets it serves to make load times more similar to real-world use-cases.
pub deps
now supports a --no-dev
flag, which causes it to emit the dependency tree as it would be if no dev_dependencies
were in use. This makes it easier to see your package's dependency footprint as your users will experience it.
pub global run
now detects when a global executable's SDK constraint is no longer met and errors out, rather than trying to run the executable anyway.
Pub commands that check whether the lockfile is up-to-date (pub run
, pub deps
, pub serve
, and pub build
) now do additional verification. They ensure that any path dependencies' pubspecs haven't been changed, and they ensure that the current SDK version is compatible with all dependencies.
Fixed a crashing bug when using pub global run
on a global script that didn't exist.
Fixed a crashing bug when a pubspec contains a dependency without a source declared.
Patch release, resolves one issue:
Patch release, resolves three issues:
VM type propagation fix: Resolves a potential crash in the Dart VM (SDK commit [dff13be] (https://github.com/dart-lang/sdk/commit/dff13bef8de104d33b04820136da2d80f3c835d7))
dart2js crash fix: Resolves a crash in pkg/js and dart2js (SDK issue [24974] (https://github.com/dart-lang/sdk/issues/24974))
Pub get crash on ARM: Fixes a crash triggered when running ‘pub get’ on ARM processors such as those on a Raspberry Pi (SDK issue [24855] (https://github.com/dart-lang/sdk/issues/24855))
dart:async
StreamController
added getters for onListen
, onPause
, and onResume
with the corresponding new typedef void ControllerCallback()
.StreamController
added a getter for onCancel
with the corresponding new typedef ControllerCancelCallback()
;StreamTransformer
instances created with fromHandlers
with no handleError
callback now forward stack traces along with errors to the resulting streams.dart:convert
Base64Codec
, Base64Encoder
, and Base64Decoder
.const Base64Codec BASE64
.dart:core
Uri
added removeFragment
method.String.allMatches
(implementing Pattern.allMatches
) is now lazy, as all allMatches
implementations are intended to be.Resource
is deprecated, and will be removed in a future release.dart:developer
Timeline
class for interacting with Observatory's timeline feature.ServiceExtensionHandler
, ServiceExtensionResponse
, and registerExtension
which enable developers to provide their own VM service protocol extensions.dart:html
, dart:indexed_db
, dart:svg
, dart:web_audio
, dart:web_gl
, dart:web_sql
double
to num
. Dartium is now using JS interop for most operations. JS does not distinguish between numeric types, and will return a number as an int if it fits in an int. This will mostly cause an error if you assign to something typed double
in checked mode. You may need to insert a toDouble()
call or accept num
. Examples of APIs that are affected include Element.getBoundingClientRect
and TextMetrics.width
.dart:io
Breaking: Secure networking has changed, replacing the NSS library with the BoringSSL library. SecureSocket
, SecureServerSocket
, RawSecureSocket
,RawSecureServerSocket
, HttpClient
, and HttpServer
now all use a SecurityContext
object which contains the certificates and keys used for secure TLS (SSL) networking.
This is a breaking change for server applications and for some client applications. Certificates and keys are loaded into the SecurityContext
from PEM files, instead of from an NSS certificate database. Information about how to change applications that use secure networking is at https://www.dartlang.org/server/tls-ssl.html
HttpClient
no longer sends URI fragments in the request. This is not allowed by the HTTP protocol. The HttpServer
still gracefully receives fragments, but discards them before delivering the request.
To allow connections to be accepted on the same port across different isolates, set the shared
argument to true
when creating server socket and HttpServer
instances.
ServerSocketReference
and RawServerSocketReference
classes have been removed.reference
properties on ServerSocket
and RawServerSocket
have been removed.dart:isolate
spawnUri
added an environment
named argument.dart2js
and Dartium now support improved Javascript Interoperability via the js package.
docgen
and dartdocgen
no longer ship in the SDK. The docgen
sources have been removed from the repository.
This is the last release to ship the VM's “legacy debug protocol”. We intend to remove the legacy debug protocol in Dart VM 1.14.
The VM's Service Protocol has been updated to version 3.0 to take care of a number of issues uncovered by the first few non-observatory clients. This is a potentially breaking change for clients.
Dartium has been substantially changed. Rather than using C++ calls into Chromium internals for DOM operations it now uses JS interop. The DOM objects in dart:html
and related libraries now wrap a JavaScript object and delegate operations to it. This should be mostly transparent to users. However, performance and memory characteristics may be different from previous versions. There may be some changes in which DOM objects are wrapped as Dart objects. For example, if you get a reference to a Window object, even through JS interop, you will always see it as a Dart Window, even when used cross-frame. We expect the change to using JS interop will make it much simpler to update to new Chrome versions.
dart:io
Pub
Pub will now respect .gitignore
when validating a package before it's published. For example, if a LICENSE
file exists but is ignored, that is now an error.
If the package is in a subdirectory of a Git repository and the entire subdirectory is ignored with .gitignore
, pub will act as though nothing was ignored instead of uploading an empty package.
The heuristics for determining when pub get
needs to be run before various commands have been improved. There should no longer be false positives when non-dependency sections of the pubspec have been modified.
??
: if null operator. expr1 ?? expr2
evaluates to expr1
if not null
, otherwise expr2
.??=
: null-aware assignment. v ??= expr
causes v
to be assigned expr
only if v
is null
.x?.p
: null-aware access. x?.p
evaluates to x.p
if x
is not null
, otherwise evaluates to null
.x?.m()
: null-aware method invocation. x?.m()
invokes m
only if x
is not null
.dart:async
StreamController
added setters for the onListen
, onPause
, onResume
and onCancel
callbacks.dart:convert
LineSplitter
added a split
static method returning an Iterable
.dart:core
Uri
class now perform path normalization when a URI is created. This removes most ..
and .
sequences from the URI path. Purely relative paths (no scheme or authority) are allowed to retain some leading “dot” segments. Also added hasAbsolutePath
, hasEmptyPath
, and hasScheme
properties.dart:developer
log
function to transmit logging events to Observatory.dart:html
NodeTreeSanitizer
added the const trusted
field. It can be used instead of defining a NullTreeSanitizer
class when calling setInnerHtml
or other methods that create DOM from text. It is also more efficient, skipping the creation of a DocumentFragment
.dart:io
dart:isolate
onError
, onExit
and errorsAreFatal
parameters to Isolate.spawnUri
.dart:mirrors
InstanceMirror.delegate
moved up to ObjectMirror
.Documentation tools
dartdoc
is now the default tool to generate static HTML for API docs. Learn more.
docgen
and dartdocgen
have been deprecated. Currently plan is to remove them in 1.13.
Formatter (dartfmt
)
Over 50 bugs fixed.
Optimized line splitter is much faster and produces better output on complex code.
Observatory
Allocation profiling.
New feature to display output from logging.
Heap snapshot analysis works for 64-bit VMs.
Improved ability to inspect typed data, regex and compiled code.
Ability to break on all or uncaught exceptions from Observatory's debugger.
Ability to set closure-specific breakpoints.
‘anext’ - step past await/yield.
Preserve when a variable has been expanded/unexpanded in the debugger.
Keep focus on debugger input box whenever possible.
Echo stdout/stderr in the Observatory debugger. Standalone-only so far.
Minor fixes to service protocol documentation.
Pub
Breaking: various commands that previously ran pub get
implicitly no longer do so. Instead, they merely check to make sure the “.packages” file is newer than the pubspec and the lock file, and fail if it's not.
Added support for --verbosity=error
and --verbosity=warning
.
pub serve
now collapses multiple GET requests into a single line of output. For full output, use --verbose
.
pub deps
has improved formatting for circular dependencies on the entrypoint package.
pub run
and pub global run
Breaking: to match the behavior of the Dart VM, executables no longer run in checked mode by default. A --checked
flag has been added to run them in checked mode manually.
Faster start time for executables that don't import transformed code.
Binstubs for globally-activated executables are now written in the system encoding, rather than always in UTF-8
. To update existing executables, run pub cache repair
.
pub get
and pub upgrade
Pub will now generate a “.packages” file in addition to the “packages” directory when running pub get
or similar operations, per the package spec proposal. Pub now has a --no-package-symlinks
flag that will stop “packages” directories from being generated at all.
An issue where HTTP requests were sometimes made even though --offline
was passed has been fixed.
A bug with --offline
that caused an unhelpful error message has been fixed.
Pub will no longer time out when a package takes a long time to download.
pub publish
Pub will emit a non-zero exit code when it finds a violation while publishing.
.gitignore
files will be respected even if the package isn't at the top level of the Git repository.
Barback integration
A crashing bug involving transformers that only apply to non-public code has been fixed.
A deadlock caused by declaring transformer followed by a lazy transformer (such as the built-in $dart2js
transformer) has been fixed.
A stack overflow caused by a transformer being run multiple times on the package that defines it has been fixed.
A transformer that tries to read a non-existent asset in another package will now be re-run if that asset is later created.
BREAKING The service protocol now sends JSON-RPC 2.0-compatible server-to-client events. To reflect this, the service protocol version is now 2.0.
The service protocol now includes a "jsonrpc"
property in its responses, as opposed to "json-rpc"
.
The service protocol now properly handles requests with non-string ids. Numeric ids are no longer converted to strings, and null ids now don't produce a response.
Some RPCs that didn't include a "jsonrpc"
property in their responses now include one.
WebSocket.close()
would crash if called after WebSocket.cancel()
.pub
executable was run, even if a DART_SDK
environment variable is set.dart:core
Iterable
added an empty
constructor. dcf0286Iterable
can now be extended directly. An alternative to extending IterableBase
from dart:collection
.List
added an unmodifiable
constructor. r45334Map
added an unmodifiable
constructor. r45733int
added a gcd
method. a192ef4int
added a modInverse
method. f6f338cStackTrace
added a fromString
constructor. 68dd6f6Uri
added a directory
constructor. d8dbb4aConcurrentModificationError
as eagerly in release mode. In checked mode, the modification check is still as eager as possible. r45198dart:developer
- NEW
dart:profiler
library.debugger
and inspect
. 6e42aecdart:io
dart:html
Element
methods, appendHtml
and insertAdjacentHtml
now take nodeValidator
and treeSanitizer
parameters, and the inputs are consistently sanitized. r45818 announcementdart:isolate
priority
parameter of Isolate.ping
and Isolate.kill
is now a named parameter named priority
.Isolate.AS_EVENT
priority.Isolate
methods ping
and addOnExitListener
now have a named parameter response
. r45092Isolate.spawnUri
added a named argument checked
.dart:profiler
- DEPRECATED
dart:developer
instead.dart2js --output-type=dart
) utility as part of dart2jsdart:convert
dart:core
Uri.parse
added start
and end
positional arguments.dart:html
CssClassSet
method arguments must now be ‘tokens’, i.e. non-empty strings with no white-space characters. The implementation was incorrect for class names containing spaces. The fix is to forbid spaces and provide a faster implementation. Announcementdart:io
ProcessResult
now exposes a constructor.import
and Isolate.spawnUri
now supports the Data URI scheme on the VM.Running pub run foo
within a package now runs the foo
executable defined by the foo
package. The previous behavior ran bin/foo
. This makes it easy to run binaries in dependencies, for instance pub run test
.
On Mac and Linux, signals sent to pub run
and forwarded to the child command.
This is a bug fix release which merges a number of commits from bleeding_edge
.
dart2js: Addresses as issue with minified Javascript output with CSP enabled - r44453
Editor: Fixes accidental updating of files in the pub cache during rename refactoring - r44677
Editor: Fix for issue 23032 regarding skipped breakpoints on Windows - r44824
dart:mirrors: Fix MethodMirror.source
when the method is on the first line in a script - r44957, r44976
pub: Fix for issue 23084: Pub can fail to load transformers necessary for local development - r44876
Support for async
, await
, sync*
, async*
, yield
, yield*
, and await for
. See the the language tour for more details.
Enum support is fully enabled. See the language tour for more details.
The formatter is much more comprehensive and generates much more readable code. See its tool page for more details.
The analysis server is integrated into the IntelliJ plugin and the Dart editor. This allows analysis to run out-of-process, so that interaction remains smooth even for large projects.
Analysis supports more and better hints, including unused variables and unused private members.
There's a new model for shared server sockets with no need for a Socket
reference.
A new, much faster regular expression engine.
The Isolate API now works across the VM and dart2js
.
For more information on any of these changes, see the corresponding documentation on the Dart API site.
dart:async
:
Future.wait
added a new named argument, cleanUp
, which is a callback that releases resources allocated by a successful Future
.
The SynchronousStreamController
class was added as an explicit name for the type returned when the sync
argument is passed to new StreamController
.
dart:collection
: The new SplayTreeSet.from(Iterable)
constructor was added.
dart:convert
: Utf8Encoder.convert
and Utf8Decoder.convert
added optional start
and end
arguments.
dart:core
:
RangeError
added new static helper functions: checkNotNegative
, checkValidIndex
, checkValidRange
, and checkValueInInterval
.
int
added the modPow
function.
String
added the replaceFirstMapped
and replaceRange
functions.
dart:io
:
Support for locking files to prevent concurrent modification was added. This includes the File.lock
, File.lockSync
, File.unlock
, and File.unlockSync
functions as well as the FileLock
class.
Support for starting detached processes by passing the named mode
argument (a ProcessStartMode
) to Process.start
. A process can be fully attached, fully detached, or detached except for its standard IO streams.
HttpServer.bind
and HttpServer.bindSecure
added the v6Only
named argument. If this is true, only IPv6 connections will be accepted.
HttpServer.bind
, HttpServer.bindSecure
, ServerSocket.bind
, RawServerSocket.bind
, SecureServerSocket.bind
and RawSecureServerSocket.bind
added the shared
named argument. If this is true, multiple servers or sockets in the same Dart process may bind to the same address, and incoming requests will automatically be distributed between them.
Deprecation: the experimental ServerSocketReference
and RawServerSocketReference
classes, as well as getters that returned them, are marked as deprecated. The shared
named argument should be used instead. These will be removed in Dart 1.10.
Socket.connect
and RawSocket.connect
added the sourceAddress
named argument, which specifies the local address to bind when making a connection.
The static Process.killPid
method was added to kill a process with a given PID.
Stdout
added the nonBlocking
instance property, which returns a non-blocking IOSink
that writes to standard output.
dart:isolate
:
The static getter Isolate.current
was added.
The Isolate
methods addOnExitListener
, removeOnExitListener
, setErrorsFatal
, addOnErrorListener
, and removeOnErrorListener
now work on the VM.
Isolates spawned via Isolate.spawn
now allow most objects, including top-level and static functions, to be sent between them.
Code generation for SIMD on ARM and ARM64 is fixed.
A possible crash on MIPS with newer GCC toolchains has been prevented.
A segfault when using rethrow
was fixed (issue 21795).
Breakpoints can be set in the Editor using file suffixes (issue 21280).
IPv6 addresses are properly handled by HttpClient
in dart:io
, fixing a crash in pub (issue 21698).
Issues with the experimental async
/await
syntax have been fixed.
Issues with a set of number operations in the VM have been fixed.
ListBase
in dart:collection
always returns an Iterable
with the correct type argument.
dart:collection
: SplayTree
added the toSet
function.
dart:convert
: The JsonUtf8Encoder
class was added.
dart:core
:
The IndexError
class was added for errors caused by an index being outside its expected range.
The new RangeError.index
constructor was added. It forwards to new IndexError
.
RangeError
added three new properties. invalidProperty
is the value that caused the error, and start
and end
are the minimum and maximum values that the value is allowed to assume.
new RangeError.value
and new RangeError.range
added an optional message
argument.
The new String.fromCharCodes
constructor added optional start
and end
arguments.
dart:io
:
Support was added for the Application-Layer Protocol Negotiation extension to the TLS protocol for both the client and server.
SecureSocket.connect
, SecureServerSocket.bind
, RawSecureSocket.connect
, RawSecureSocket.secure
, RawSecureSocket.secureServer
, and RawSecureServerSocket.bind
added a supportedProtocols
named argument for protocol negotiation.
RawSecureServerSocket
added a supportedProtocols
field.
RawSecureSocket
and SecureSocket
added a selectedProtocol
field which contains the protocol selected during protocol negotiation.
pub
now generates binstubs for packages that are globally activated so that they can be put on the user's PATH
and used as normal executables. See the pub global activate
documentation.
When using dart2js
, deferred loading now works with multiple Dart apps on the same page.
dart:async
: Zone
, ZoneDelegate
, and ZoneSpecification
added the errorCallback
function, which allows errors that have been programmatically added to a Future
or Stream
to be intercepted.
dart:io
:
Breaking change: HttpClient.close
must be called for all clients or they will keep the Dart process alive until they time out. This fixes the handling of persistent connections. Previously, the client would shut down immediately after a request.
Breaking change: HttpServer
no longer compresses all traffic by default. The new autoCompress
property can be set to true
to re-enable compression.
dart:isolate
: Isolate.spawnUri
added the optional packageRoot
argument, which controls how it resolves package:
URIs.